diff --git a/backend/alembic/versions/2025_10_22_0101-92819753edfb_create_new_procurement_library_updates_.py b/backend/alembic/versions/2025_10_22_0101-92819753edfb_create_new_procurement_library_updates_.py new file mode 100644 index 00000000..4353989d --- /dev/null +++ b/backend/alembic/versions/2025_10_22_0101-92819753edfb_create_new_procurement_library_updates_.py @@ -0,0 +1,164 @@ +"""create new procurement library updates oct 2025 + +Revision ID: 92819753edfb +Revises: 7d088afac59f +Create Date: 2025-10-22 01:01:07.013270 + +""" +from typing import Sequence, Union + +from alembic import op +import sqlalchemy as sa + + +# revision identifiers, used by Alembic. +revision: str = '92819753edfb' +down_revision: Union[str, None] = '7d088afac59f' +branch_labels: Union[str, Sequence[str], None] = None +depends_on: Union[str, Sequence[str], None] = None + + +def upgrade() -> None: + # === pl_category === + op.create_table( + "pl_category", + sa.Column("id", sa.Integer(), primary_key=True, autoincrement=True), + sa.Column("name", sa.String(length=125), nullable=False), + sa.Column("description", sa.Text(), nullable=True), + sa.Column("created_at", sa.DateTime(), nullable=False, server_default=sa.func.now()), + sa.Column("updated_at", sa.DateTime(), nullable=False, server_default=sa.func.now(), onupdate=sa.func.now()), + ) + op.create_index(op.f("ix_pl_category_id"), "pl_category", ["id"], unique=True) + op.create_index(op.f("ix_pl_category_name"), "pl_category", ["name"], unique=False) + + # === pl_attribute === + op.create_table( + "pl_attribute", + sa.Column("id", sa.Integer(), primary_key=True, autoincrement=True), + sa.Column( + "category_id", + sa.Integer(), + sa.ForeignKey("pl_category.id", ondelete="SET NULL"), + nullable=True, + ), + sa.Column("label", sa.String(length=125), nullable=False), + sa.Column("description", sa.Text(), nullable=True), + sa.Column("created_at", sa.DateTime(), nullable=False, server_default=sa.func.now()), + sa.Column("updated_at", sa.DateTime(), nullable=False, server_default=sa.func.now(), onupdate=sa.func.now()), + ) + op.create_index(op.f("ix_pl_attribute_id"), "pl_attribute", ["id"], unique=True) + op.create_index(op.f("ix_pl_attribute_label"), "pl_attribute", ["label"], unique=False) + op.create_index(op.f("ix_pl_attribute_category_id"), "pl_attribute", ["category_id"], unique=False) + + # === pl_practice_intervention === + op.create_table( + "pl_practice_intervention", + sa.Column("id", sa.Integer(), primary_key=True, autoincrement=True), + sa.Column("label", sa.String(length=225), nullable=False), + sa.Column("intervention_definition", sa.Text(), nullable=True), + sa.Column("enabling_conditions", sa.Text(), nullable=True), + sa.Column("business_rationale", sa.Text(), nullable=True), + sa.Column("farmer_rationale", sa.Text(), nullable=True), + sa.Column("risks_n_trade_offs", sa.Text(), nullable=True), + sa.Column("intervention_impact_income", sa.Text(), nullable=True), + sa.Column("intervention_impact_env", sa.Text(), nullable=True), + sa.Column("source_or_evidence", sa.Text(), nullable=True), + sa.Column("created_at", sa.DateTime(), nullable=False, server_default=sa.func.now()), + sa.Column("updated_at", sa.DateTime(), nullable=False, server_default=sa.func.now(), onupdate=sa.func.now()), + ) + op.create_index(op.f("ix_pl_practice_intervention_id"), "pl_practice_intervention", ["id"], unique=True) + op.create_index(op.f("ix_pl_practice_intervention_label"), "pl_practice_intervention", ["label"], unique=False) + + # === pl_practice_intervention_tag === + op.create_table( + "pl_practice_intervention_tag", + sa.Column( + "practice_intervention_id", + sa.Integer(), + sa.ForeignKey("pl_practice_intervention.id", ondelete="CASCADE"), + primary_key=True, + ), + sa.Column( + "attribute_id", + sa.Integer(), + sa.ForeignKey("pl_attribute.id", ondelete="CASCADE"), + primary_key=True, + ), + sa.Column("created_at", sa.DateTime(), nullable=False, server_default=sa.func.now()), + sa.Column("updated_at", sa.DateTime(), nullable=False, server_default=sa.func.now(), onupdate=sa.func.now()), + ) + op.create_index(op.f("ix_pl_practice_intervention_tag_practice_intervention_id"), "pl_practice_intervention_tag", ["practice_intervention_id"], unique=False) + op.create_index(op.f("ix_pl_practice_intervention_tag_attribute_id"), "pl_practice_intervention_tag", ["attribute_id"], unique=False) + + # === pl_indicator === + op.create_table( + "pl_indicator", + sa.Column("id", sa.Integer(), primary_key=True, autoincrement=True), + sa.Column("name", sa.String(length=50), nullable=False), + sa.Column("label", sa.String(length=125), nullable=False), + sa.Column("description", sa.Text(), nullable=True), + sa.Column("created_at", sa.DateTime(), nullable=False, server_default=sa.func.now()), + sa.Column("updated_at", sa.DateTime(), nullable=False, server_default=sa.func.now(), onupdate=sa.func.now()), + ) + op.create_index(op.f("ix_pl_indicator_id"), "pl_indicator", ["id"], unique=True) + op.create_index(op.f("ix_pl_indicator_name"), "pl_indicator", ["name"], unique=True) + op.create_index(op.f("ix_pl_indicator_label"), "pl_indicator", ["label"], unique=False) + + # === pl_practice_intervention_indicator_score === + op.create_table( + "pl_practice_intervention_indicator_score", + sa.Column("id", sa.Integer(), primary_key=True, autoincrement=True), + sa.Column( + "practice_intervention_id", + sa.Integer(), + sa.ForeignKey("pl_practice_intervention.id", ondelete="CASCADE"), + nullable=False, + ), + sa.Column( + "indicator_id", + sa.Integer(), + sa.ForeignKey("pl_indicator.id", ondelete="CASCADE"), + nullable=False, + ), + sa.Column("score", sa.Float(), nullable=True), + sa.Column("created_at", sa.DateTime(), nullable=False, server_default=sa.func.now()), + sa.Column("updated_at", sa.DateTime(), nullable=False, server_default=sa.func.now(), onupdate=sa.func.now()), + ) + op.create_index(op.f("ix_pl_practice_intervention_indicator_score_id"), "pl_practice_intervention_indicator_score", ["id"], unique=True) + op.create_index(op.f("ix_pl_practice_intervention_indicator_score_practice_intervention_id"), "pl_practice_intervention_indicator_score", ["practice_intervention_id"], unique=False) + op.create_index(op.f("ix_pl_practice_intervention_indicator_score_indicator_id"), "pl_practice_intervention_indicator_score", ["indicator_id"], unique=False) + op.create_unique_constraint( + "uq_pl_practice_intervention_indicator_score_practice_indicator", + "pl_practice_intervention_indicator_score", + ["practice_intervention_id", "indicator_id"], + ) + + +def downgrade() -> None: + op.drop_constraint("uq_pl_practice_intervention_indicator_score_practice_indicator", "pl_practice_intervention_indicator_score", type_="unique") + op.drop_index(op.f("ix_pl_practice_intervention_indicator_score_id"), table_name="pl_practice_intervention_indicator_score") + op.drop_index(op.f("ix_pl_practice_intervention_indicator_score_practice_intervention_id"), table_name="pl_practice_intervention_indicator_score") + op.drop_index(op.f("ix_pl_practice_intervention_indicator_score_indicator_id"), table_name="pl_practice_intervention_indicator_score") + op.drop_table("pl_practice_intervention_indicator_score") + + op.drop_index(op.f("ix_pl_indicator_id"), table_name="pl_indicator") + op.drop_index(op.f("ix_pl_indicator_name"), table_name="pl_indicator") + op.drop_index(op.f("ix_pl_indicator_label"), table_name="pl_indicator") + op.drop_table("pl_indicator") + + op.drop_index(op.f("ix_pl_practice_intervention_tag_practice_intervention_id"), table_name="pl_practice_intervention_tag") + op.drop_index(op.f("ix_pl_practice_intervention_tag_attribute_id"), table_name="pl_practice_intervention_tag") + op.drop_table("pl_practice_intervention_tag") + + op.drop_index(op.f("ix_pl_practice_intervention_id"), table_name="pl_practice_intervention") + op.drop_index(op.f("ix_pl_practice_intervention_label"), table_name="pl_practice_intervention") + op.drop_table("pl_practice_intervention") + + op.drop_index(op.f("ix_pl_attribute_id"), table_name="pl_attribute") + op.drop_index(op.f("ix_pl_attribute_label"), table_name="pl_attribute") + op.drop_index(op.f("ix_pl_attribute_category_id"), table_name="pl_attribute") + op.drop_table("pl_attribute") + + op.drop_index(op.f("ix_pl_category_id"), table_name="pl_category") + op.drop_index(op.f("ix_pl_category_name"), table_name="pl_category") + op.drop_table("pl_category") diff --git a/backend/core/config.py b/backend/core/config.py index 124e46c6..b96bd683 100644 --- a/backend/core/config.py +++ b/backend/core/config.py @@ -26,6 +26,8 @@ from routes.procurement_library.procurement_process import ( procurement_process_route, ) +from routes.procurement_library_v2.practice import pl_practice_router_v2 +from routes.procurement_library_v2.category import pl_cat_router_v2 import os from jsmin import jsmin @@ -140,6 +142,8 @@ def generate_config_file() -> None: app.include_router(assessment_question_route) app.include_router(practice_route) app.include_router(procurement_process_route) +app.include_router(pl_cat_router_v2) +app.include_router(pl_practice_router_v2) @app.get("/", tags=["Dev"]) diff --git a/backend/db/procurement_library_v2/__init__.py b/backend/db/procurement_library_v2/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/backend/db/procurement_library_v2/crud_category.py b/backend/db/procurement_library_v2/crud_category.py new file mode 100644 index 00000000..033ba0d5 --- /dev/null +++ b/backend/db/procurement_library_v2/crud_category.py @@ -0,0 +1,18 @@ +from sqlalchemy.orm import Session, joinedload +from typing import List, Dict + +from models.procurement_library_v2.pl_models import PLCategory + + +def get_categories_with_attributes(db: Session) -> List[Dict]: + """Return all categories with their attributes using ORM query.""" + categories = ( + db.query(PLCategory) + .options(joinedload(PLCategory.attributes)) + .order_by(PLCategory.id) + .all() + ) + + return [ + cat.category_with_attributes for cat in categories + ] diff --git a/backend/db/procurement_library_v2/crud_practice.py b/backend/db/procurement_library_v2/crud_practice.py new file mode 100644 index 00000000..331439be --- /dev/null +++ b/backend/db/procurement_library_v2/crud_practice.py @@ -0,0 +1,272 @@ +from sqlalchemy.orm import Session, joinedload, aliased +from sqlalchemy import select, func, and_ +from typing import Optional + +from models.procurement_library_v2.pl_models import ( + PLPracticeIntervention, + PLPracticeInterventionTag, + PLAttribute, + PLPracticeInterventionIndicatorScore, + PLIndicator, +) + + +# ============================================================ +# GET LIST OF PRACTICES WITH PAGINATION & FILTERS +# ============================================================ +def get_practice_list( + db: Session, + page: int = 1, + limit: int = 10, + search: Optional[str] = None, + impact_area: Optional[str] = None, + sourcing_strategy_cycle: Optional[int] = None, + procurement_principles: Optional[int] = None, +) -> dict: + """Return paginated list of practices with optional filters by impact area and attributes.""" + offset = (page - 1) * limit + + # --- Base query --- + stmt = select(PLPracticeIntervention).distinct() + + # --- Search filter --- + if search: + stmt = stmt.filter( + PLPracticeIntervention.label.ilike(f"%{search}%") + | PLPracticeIntervention.business_rationale.ilike(f"%{search}%") + | PLPracticeIntervention.farmer_rationale.ilike(f"%{search}%") + | PLPracticeIntervention.intervention_definition.ilike(f"%{search}%") + | PLPracticeIntervention.risks_n_trade_offs.ilike(f"%{search}%") + | PLPracticeIntervention.enabling_conditions.ilike(f"%{search}%") + ) + + # --- Impact area filter --- + if impact_area: + stmt = ( + stmt.join(PLPracticeInterventionIndicatorScore) + .join(PLIndicator) + .filter( + and_( + PLIndicator.name == impact_area, + PLPracticeInterventionIndicatorScore.score > 3, + ) + ) + ) + + # --- Filter by sourcing_strategy_cycle attribute --- + if sourcing_strategy_cycle: + tag_alias_1 = aliased(PLPracticeInterventionTag) + attr_alias_1 = aliased(PLAttribute) + stmt = ( + stmt.join(tag_alias_1, PLPracticeIntervention.id == tag_alias_1.practice_intervention_id) + .join(attr_alias_1, tag_alias_1.attribute_id == attr_alias_1.id) + .filter(attr_alias_1.id == sourcing_strategy_cycle) + ) + + # --- Filter by procurement principles attribute --- + if procurement_principles: + tag_alias_2 = aliased(PLPracticeInterventionTag) + attr_alias_2 = aliased(PLAttribute) + stmt = ( + stmt.join(tag_alias_2, PLPracticeIntervention.id == tag_alias_2.practice_intervention_id) + .join(attr_alias_2, tag_alias_2.attribute_id == attr_alias_2.id) + .filter(attr_alias_2.id == procurement_principles) + ) + + # --- Pagination --- + stmt = stmt.order_by(PLPracticeIntervention.id).offset(offset).limit(limit) + + # --- Count total (based on same filters) --- + total = db.scalar(select(func.count()).select_from(stmt.subquery())) + + # --- Execute main query --- + practices = db.scalars(stmt).unique().all() + + if not practices: + return {"current": page, "total": 0, "total_page": 0, "data": []} + + # --- Gather related data --- + practice_ids = [p.id for p in practices] + + # Tags + tags = ( + db.query(PLPracticeInterventionTag) + .join(PLAttribute) + .filter(PLPracticeInterventionTag.practice_intervention_id.in_(practice_ids)) + .all() + ) + + # Scores + scores = ( + db.query(PLPracticeInterventionIndicatorScore) + .join(PLIndicator) + .filter(PLPracticeInterventionIndicatorScore.practice_intervention_id.in_(practice_ids)) + .all() + ) + + # --- Group related data --- + tag_map = {} + for t in tags: + tag_map.setdefault(t.practice_intervention_id, []).append(t) + + score_map = {} + for s in scores: + score_map.setdefault(s.practice_intervention_id, []).append(s) + + # --- Serialize --- + data = [] + for p in practices: + p.tags = tag_map.get(p.id, []) + p.indicator_scores = score_map.get(p.id, []) + data.append(p.serialize) + + return { + "current": page, + "total": total or len(data), + "total_page": (total + limit - 1) // limit if total else 1, + "data": data, + } + + +# ============================================================ +# GET DETAIL BY ID +# ============================================================ +def get_practice_by_id(db: Session, practice_id: int) -> Optional[dict]: + """Return single practice detail (DB query-based).""" + # --- Main record --- + practice = db.get(PLPracticeIntervention, practice_id) + if not practice: + return None + + # --- Tags + attributes --- + tags = ( + db.query(PLPracticeInterventionTag) + .join(PLAttribute) + .filter(PLPracticeInterventionTag.practice_intervention_id == practice_id) + .all() + ) + + # --- Scores + indicators --- + scores = ( + db.query(PLPracticeInterventionIndicatorScore) + .join(PLIndicator) + .filter(PLPracticeInterventionIndicatorScore.practice_intervention_id == practice_id) + .all() + ) + + practice.tags = tags + practice.indicator_scores = scores + + return practice.serialize + + +# ============================================================ +# GET PRACTICES BY ATTRIBUTE ID (WITH OPTIONAL FILTERS) +# ============================================================ +def get_practices_by_attribute( + db: Session, + attribute_id: int, + page: int = 1, + limit: int = 10, + search: Optional[str] = None, + impact_area: Optional[str] = None, + sourcing_strategy_cycle: Optional[int] = None, + procurement_principles: Optional[int] = None, +): + offset = (page - 1) * limit + + # --- Base query --- + query = ( + select(PLPracticeIntervention) + .join(PLPracticeInterventionTag) + .where(PLPracticeInterventionTag.attribute_id == attribute_id) + .options( + joinedload(PLPracticeIntervention.tags) + .joinedload(PLPracticeInterventionTag.attribute), + joinedload(PLPracticeIntervention.indicator_scores) + .joinedload(PLPracticeInterventionIndicatorScore.indicator), + ) + .distinct() + ) + + # --- Text search --- + if search: + query = query.filter( + PLPracticeIntervention.label.ilike(f"%{search}%") + | PLPracticeIntervention.business_rationale.ilike(f"%{search}%") + | PLPracticeIntervention.farmer_rationale.ilike(f"%{search}%") + | PLPracticeIntervention.intervention_definition.ilike(f"%{search}%") + | PLPracticeIntervention.risks_n_trade_offs.ilike(f"%{search}%") + | PLPracticeIntervention.enabling_conditions.ilike(f"%{search}%") + ) + + # --- Filter by impact area (indicator score > 3) --- + if impact_area: + query = ( + query.join(PLPracticeInterventionIndicatorScore) + .join(PLIndicator) + .filter( + and_( + PLIndicator.name == impact_area, + PLPracticeInterventionIndicatorScore.score > 3, + ) + ) + ) + + # --- Filter by sourcing_strategy_cycle --- + if sourcing_strategy_cycle: + tag_alias_1 = aliased(PLPracticeInterventionTag) + attr_alias_1 = aliased(PLAttribute) + query = ( + query.join(tag_alias_1, PLPracticeIntervention.id == tag_alias_1.practice_intervention_id) + .join(attr_alias_1, tag_alias_1.attribute_id == attr_alias_1.id) + .filter(attr_alias_1.id == sourcing_strategy_cycle) + ) + + # --- Filter by procurement_principles --- + if procurement_principles: + tag_alias_2 = aliased(PLPracticeInterventionTag) + attr_alias_2 = aliased(PLAttribute) + query = ( + query.join(tag_alias_2, PLPracticeIntervention.id == tag_alias_2.practice_intervention_id) + .join(attr_alias_2, tag_alias_2.attribute_id == attr_alias_2.id) + .filter(attr_alias_2.id == procurement_principles) + ) + + # --- Count & Pagination --- + total = db.scalar(select(func.count()).select_from(query.subquery())) + results = db.scalars(query.offset(offset).limit(limit)).unique().all() + + # --- Build response --- + data = [] + for p in results: + # Tags (attribute labels) + tags = [ + t.attribute.label for t in p.tags if t.attribute and t.attribute.label + ] + + # Boolean flags + scores = p.indicator_scores or [] + is_environmental = any( + s.indicator and s.indicator.name == "environmental_impact" and (s.score or 0) > 3 + for s in scores + ) + is_income = any( + s.indicator and s.indicator.name == "income_impact" and (s.score or 0) > 3 + for s in scores + ) + + data.append({ + "id": p.id, + "label": p.label, + "is_environmental": is_environmental, + "is_income": is_income, + "tags": tags, + }) + + return { + "current": page, + "total": total, + "total_page": (total + limit - 1) // limit if total else 0, + "data": data, + } diff --git a/backend/models/procurement_library_v2/__init__.py b/backend/models/procurement_library_v2/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/backend/models/procurement_library_v2/pl_models.py b/backend/models/procurement_library_v2/pl_models.py new file mode 100644 index 00000000..679dd968 --- /dev/null +++ b/backend/models/procurement_library_v2/pl_models.py @@ -0,0 +1,217 @@ +from datetime import datetime +from typing import List, Optional +from sqlalchemy import ( + String, + Integer, + Text, + Float, + DateTime, + ForeignKey, + func, +) +from sqlalchemy.orm import Mapped, mapped_column, relationship, declarative_base + +Base = declarative_base() + + +# ============================================================ +# CATEGORY +# ============================================================ +class PLCategory(Base): + __tablename__ = "pl_category" + + id: Mapped[int] = mapped_column(Integer, primary_key=True, autoincrement=True) + name: Mapped[str] = mapped_column(String(125), nullable=False, index=True) + description: Mapped[Optional[str]] = mapped_column(Text) + created_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), nullable=False) + updated_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), onupdate=func.now(), nullable=False) + + attributes: Mapped[List["PLAttribute"]] = relationship( + "PLAttribute", back_populates="category", cascade="all, delete-orphan" + ) + + # ✅ Simple serializer + @property + def serialize(self): + return {"id": self.id, "label": self.name} + + @property + def category_with_attributes(self): + return { + "id": self.id, + "name": self.name, + "attributes": [ + attr.simplify for attr in (self.attributes or []) + ] + } + + +# ============================================================ +# ATTRIBUTE +# ============================================================ +class PLAttribute(Base): + __tablename__ = "pl_attribute" + + id: Mapped[int] = mapped_column(Integer, primary_key=True, autoincrement=True) + category_id: Mapped[Optional[int]] = mapped_column(Integer, ForeignKey("pl_category.id", ondelete="SET NULL"), nullable=True, index=True) + label: Mapped[str] = mapped_column(String(125), nullable=False, index=True) + description: Mapped[Optional[str]] = mapped_column(Text) + created_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), nullable=False) + updated_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), onupdate=func.now(), nullable=False) + + category: Mapped[Optional[PLCategory]] = relationship("PLCategory", back_populates="attributes") + tags: Mapped[List["PLPracticeInterventionTag"]] = relationship("PLPracticeInterventionTag", back_populates="attribute", cascade="all, delete-orphan") + + # ✅ Reusable serializer + @property + def serialize(self): + return { + "id": self.id, + "label": self.label, + "category": self.category.serialize if self.category else None, + } + + @property + def simplify(self): + return { + "id": self.id, + "label": self.label, + } + + +# ============================================================ +# INDICATOR +# ============================================================ +class PLIndicator(Base): + __tablename__ = "pl_indicator" + + id: Mapped[int] = mapped_column(Integer, primary_key=True, autoincrement=True) + name: Mapped[str] = mapped_column(String(50), nullable=False, unique=True, index=True) + label: Mapped[str] = mapped_column(String(125), nullable=False, index=True) + description: Mapped[Optional[str]] = mapped_column(Text) + created_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), nullable=False) + updated_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), onupdate=func.now(), nullable=False) + + indicator_scores: Mapped[List["PLPracticeInterventionIndicatorScore"]] = relationship( + "PLPracticeInterventionIndicatorScore", + back_populates="indicator", + cascade="all, delete-orphan", + ) + + # ✅ Reusable serializer + @property + def serialize(self): + return { + "id": self.id, + "name": self.name, + "label": self.label, + "description": self.description, + } + + +# ============================================================ +# PRACTICE INTERVENTION INDICATOR SCORE +# ============================================================ +class PLPracticeInterventionIndicatorScore(Base): + __tablename__ = "pl_practice_intervention_indicator_score" + + id: Mapped[int] = mapped_column(Integer, primary_key=True, autoincrement=True) + practice_intervention_id: Mapped[int] = mapped_column(Integer, ForeignKey("pl_practice_intervention.id", ondelete="CASCADE"), nullable=False, index=True) + indicator_id: Mapped[int] = mapped_column(Integer, ForeignKey("pl_indicator.id", ondelete="CASCADE"), nullable=False, index=True) + score: Mapped[Optional[float]] = mapped_column(Float) + created_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), nullable=False) + updated_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), onupdate=func.now(), nullable=False) + + practice_intervention: Mapped["PLPracticeIntervention"] = relationship("PLPracticeIntervention", back_populates="indicator_scores") + indicator: Mapped["PLIndicator"] = relationship("PLIndicator", back_populates="indicator_scores") + + # ✅ Reusable serializer + @property + def serialize(self): + return { + "id": self.id, + "practice_intervention_id": self.practice_intervention_id, + "indicator_id": self.indicator_id, + "score": self.score, + "indicator": self.indicator.serialize if self.indicator else None, + } + + +# ============================================================ +# PRACTICE INTERVENTION TAG +# ============================================================ +class PLPracticeInterventionTag(Base): + __tablename__ = "pl_practice_intervention_tag" + + practice_intervention_id: Mapped[int] = mapped_column(Integer, ForeignKey("pl_practice_intervention.id", ondelete="CASCADE"), primary_key=True, index=True) + attribute_id: Mapped[int] = mapped_column(Integer, ForeignKey("pl_attribute.id", ondelete="CASCADE"), primary_key=True, index=True) + created_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), nullable=False) + updated_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), onupdate=func.now(), nullable=False) + + practice_intervention: Mapped["PLPracticeIntervention"] = relationship("PLPracticeIntervention", back_populates="tags") + attribute: Mapped["PLAttribute"] = relationship("PLAttribute", back_populates="tags") + + # ✅ Reusable serializer + @property + def serialize(self): + return self.attribute.serialize if self.attribute else None + + +# ============================================================ +# PRACTICE INTERVENTION +# ============================================================ +class PLPracticeIntervention(Base): + __tablename__ = "pl_practice_intervention" + + id: Mapped[int] = mapped_column(Integer, primary_key=True, autoincrement=True) + label: Mapped[str] = mapped_column(String(225), nullable=False, index=True) + intervention_definition: Mapped[Optional[str]] = mapped_column(Text) + enabling_conditions: Mapped[Optional[str]] = mapped_column(Text) + business_rationale: Mapped[Optional[str]] = mapped_column(Text) + farmer_rationale: Mapped[Optional[str]] = mapped_column(Text) + risks_n_trade_offs: Mapped[Optional[str]] = mapped_column(Text) + intervention_impact_income: Mapped[Optional[str]] = mapped_column(Text) + intervention_impact_env: Mapped[Optional[str]] = mapped_column(Text) + source_or_evidence: Mapped[Optional[str]] = mapped_column(Text) + created_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), nullable=False) + updated_at: Mapped[datetime] = mapped_column(DateTime, server_default=func.now(), onupdate=func.now(), nullable=False) + + tags: Mapped[List["PLPracticeInterventionTag"]] = relationship("PLPracticeInterventionTag", back_populates="practice_intervention", cascade="all, delete-orphan") + indicator_scores: Mapped[List["PLPracticeInterventionIndicatorScore"]] = relationship("PLPracticeInterventionIndicatorScore", back_populates="practice_intervention", cascade="all, delete-orphan") + + # ============================================================ + # Derived / Serialized Properties + # ============================================================ + @property + def procurement_processes(self): + """Unique categories from related attributes.""" + seen, processes = set(), [] + for tag in self.tags or []: + attr = tag.attribute + if attr and attr.category: + key = attr.category.id + if key not in seen: + seen.add(key) + processes.append(attr.category.serialize) + return processes + + @property + def is_environmental(self) -> bool: + return any(score.indicator.name == "environmental_impact" and score.score > 3 for score in self.indicator_scores) + + @property + def is_income(self) -> bool: + return any(score.indicator.name == "income_impact" and score.score > 3 for score in self.indicator_scores) + + @property + def serialize(self): + return { + "id": self.id, + "label": self.label, + "procurement_processes": self.procurement_processes, + "is_environmental": self.is_environmental, + "is_income": self.is_income, + "scores": [s.serialize for s in self.indicator_scores], + "created_at": self.created_at, + "updated_at": self.updated_at, + } diff --git a/backend/models/procurement_library_v2/pl_schemas.py b/backend/models/procurement_library_v2/pl_schemas.py new file mode 100644 index 00000000..41346a1d --- /dev/null +++ b/backend/models/procurement_library_v2/pl_schemas.py @@ -0,0 +1,166 @@ +from datetime import datetime +from typing import List, Optional +from pydantic import BaseModel +from enum import Enum + + +class ImpactArea(str, Enum): + income = "income_impact" + env = "environmental_impact" + + +# ============================================================ +# BASE CONFIG +# ============================================================ +class BaseSchema(BaseModel): + class Config: + orm_mode = True + + +# ============================================================ +# CATEGORY +# ============================================================ +class PLCategoryRead(BaseSchema): + id: int + name: str + description: Optional[str] = None + created_at: datetime + updated_at: datetime + + +class PLCategorySimpleRead(BaseSchema): + id: int + name: str + + +# ============================================================ +# ATTRIBUTE +# ============================================================ +class PLAttributeRead(BaseSchema): + id: int + label: str + description: Optional[str] = None + category_id: Optional[int] = None + category: Optional[PLCategoryRead] = None + created_at: Optional[datetime] = None + updated_at: Optional[datetime] = None + + +# ✅ Simplified Attribute (for lightweight responses like `procurement_processes`) +class PLAttributeSimpleRead(BaseSchema): + id: int + label: str + + +# ============================================================ +# CATEGORY WITH ATTRIBUTES (for /category/attributes endpoint) +# ============================================================ +class PLCategoryWithAttributesRead(PLCategorySimpleRead): + attributes: Optional[List[PLAttributeSimpleRead]] = [] + + +# ============================================================ +# INDICATOR + SCORE +# ============================================================ +class PLIndicatorRead(BaseSchema): + id: int + name: str + label: str + description: Optional[str] = None + created_at: Optional[datetime] = None + updated_at: Optional[datetime] = None + + +class PLPracticeInterventionIndicatorScoreRead(BaseSchema): + id: int + practice_intervention_id: int + indicator_id: int + score: Optional[float] = None + indicator: Optional[PLIndicatorRead] + created_at: Optional[datetime] = None + updated_at: Optional[datetime] = None + + +# ============================================================ +# TAG RELATIONSHIP (ATTRIBUTE LINK) +# ============================================================ +class PLPracticeInterventionTagRead(BaseSchema): + practice_intervention_id: int + attribute_id: int + attribute: Optional[PLAttributeRead] + created_at: datetime + updated_at: datetime + + +# ============================================================ +# PRACTICE INTERVENTION (BASE) +# ============================================================ +class PLPracticeInterventionRead(BaseSchema): + id: int + label: str + intervention_definition: Optional[str] = None + enabling_conditions: Optional[str] = None + business_rationale: Optional[str] = None + farmer_rationale: Optional[str] = None + risks_n_trade_offs: Optional[str] = None + intervention_impact_income: Optional[str] = None + intervention_impact_env: Optional[str] = None + source_or_evidence: Optional[str] = None + created_at: datetime + updated_at: datetime + + +# ============================================================ +# LIST VIEW (LIGHTWEIGHT) +# ============================================================ +class PLPracticeInterventionListItem(BaseSchema): + id: int + label: str + procurement_processes: List[PLAttributeRead] + is_environmental: bool + is_income: bool + scores: List[PLPracticeInterventionIndicatorScoreRead] + created_at: datetime + updated_at: datetime + + +# ============================================================ +# DETAIL VIEW (MATCHES EXPECTED RESPONSE) +# ============================================================ +class PLPracticeInterventionDetailRead(BaseSchema): + id: int + label: str + procurement_processes: List[PLAttributeSimpleRead] = [] + is_environmental: bool = False + is_income: bool = False + scores: List[PLPracticeInterventionIndicatorScoreRead] = [] + created_at: datetime + updated_at: datetime + + +# ============================================================ +# PAGINATION / RESPONSE MODELS +# ============================================================ +class PaginatedResponse(BaseSchema): + current: int + total: int + total_page: int + + +class PaginatedPracticeInterventionResponse(PaginatedResponse): + data: List[PLPracticeInterventionListItem] + + +# ============================================================ +# PRACTICE BY ATTRIBUTE RESPONSE +# ============================================================ +class PLPracticeByAttributeListItem(BaseSchema): + id: int + label: str + is_environmental: bool + is_income: bool + tags: List[str] + + +class PaginatedPracticeByAttributeResponse(PaginatedResponse): + data: List[PLPracticeByAttributeListItem] diff --git a/backend/routes/procurement_library_v2/[idea]_intervention_library_page.js b/backend/routes/procurement_library_v2/[idea]_intervention_library_page.js new file mode 100644 index 00000000..926e421a --- /dev/null +++ b/backend/routes/procurement_library_v2/[idea]_intervention_library_page.js @@ -0,0 +1,34 @@ +// GROUP BY ATTRIBUTE ID DIRECTLY FROM ENDPOINT +[ + { + id: "attribute_id (only from sourcing strategy cycle category)", + label: "attribute_label (only from sourcing strategy cycle category)", + practices: [ + { + id: "practice_id (only practice from the related strategy cycle attribute)", + label: "practice_name", + is_environmental: "boolean (same logic as list practices route)", + is_income: "boolean (same logic as list practices route)", + tags: [ + "list of related practice intervention tags of this particular practice", + ], + }, + ], + }, +]; + +// "OR" + +// GET THE PRACTICE BY ATTRIBUTE ID +// BUT WE NEED TO CALL SEPARATE ENDPOINT BY SOURCING STRATEGY CYCLE FROM FE +[ + { + id: "practice_id (only practice from the related strategy cycle attribute)", + label: "practice_name", + is_environmental: "boolean (same logic as list practices route)", + is_income: "boolean (same logic as list practices route)", + tags: [ + "list of related practice intervention tags of this particular practice", + ], + }, +]; diff --git a/backend/routes/procurement_library_v2/__init__.py b/backend/routes/procurement_library_v2/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/backend/routes/procurement_library_v2/category.py b/backend/routes/procurement_library_v2/category.py new file mode 100644 index 00000000..c2b4f714 --- /dev/null +++ b/backend/routes/procurement_library_v2/category.py @@ -0,0 +1,25 @@ +from fastapi import APIRouter, Depends +from sqlalchemy.orm import Session + +from db.connection import get_session +from db.procurement_library_v2 import crud_category +from models.procurement_library_v2.pl_schemas import PLCategoryWithAttributesRead + +pl_cat_router_v2 = APIRouter(prefix="/plv2/category") + + +@pl_cat_router_v2.get( + "/attributes", + name="plv2:get_cattegory_with_attributes", + summary="Retrieve all Procurement Library categories with their associated attributes.", + response_description="List of categories, each including its attributes.", + response_model=list[PLCategoryWithAttributesRead], + tags=["Procurement Library V2"], +) +def list_categories(db: Session = Depends(get_session)): + """ + Fetch all categories in the Procurement Library along with their linked attributes. + Each category includes metadata (id, label, description, timestamps) + and a nested list of attributes. + """ + return crud_category.get_categories_with_attributes(db) diff --git a/backend/routes/procurement_library_v2/practice.py b/backend/routes/procurement_library_v2/practice.py new file mode 100644 index 00000000..5a88bc2f --- /dev/null +++ b/backend/routes/procurement_library_v2/practice.py @@ -0,0 +1,144 @@ +from fastapi import APIRouter, Depends, HTTPException, Query +from sqlalchemy.orm import Session +from typing import Optional + +from db.connection import get_session +from db.procurement_library_v2 import crud_practice +from models.procurement_library_v2.pl_schemas import ( + PLPracticeInterventionDetailRead, + PaginatedPracticeInterventionResponse, + PaginatedPracticeByAttributeResponse, + ImpactArea +) + +pl_practice_router_v2 = APIRouter(prefix="/plv2", tags=["Procurement Library V2"]) + + +# ============================================================ +# GET LIST +# ============================================================ +@pl_practice_router_v2.get( + "/practices", + name="plv2:get_all_practices", + summary="List practice interventions in the Procurement Library", + response_description="Paginated list of practices with related indicators and attributes", + response_model=PaginatedPracticeInterventionResponse, +) +def list_practices( + db: Session = Depends(get_session), + page: int = Query(1, ge=1, description="Page number, starting from 1"), + limit: int = Query(10, ge=1, le=100, description="Number of items per page"), + search: str | None = Query(None, description="Optional filter by practice label"), + impact_area: Optional[ImpactArea] = Query(None, description="Optional filter by impact area"), + sourcing_strategy_cycle: Optional[int] = Query(None, description="Optional filter by sourcing strategy cycle"), + procurement_principles: Optional[int] = Query(None, description="Optional filter by procurement principles"), +): + """ + Retrieve a paginated list of **Practice Interventions** from the Procurement Library. + + ### Parameters: + - **page** — Page number for pagination (default: 1) + - **limit** — Number of results per page (default: 10) + - **search** — Optional filter to search practice labels + - **impact_area** - Optional filter by impact area + - **sourcing_strategy_cycle** - Optional filter by sourcing strategy cycle + - **procurement_principles** - Optional filter by procurement principles + + ### Returns: + - `PaginatedPracticeInterventionResponse`: contains + - `current`: Current page number + - `total`: Total number of items + - `total_page`: Total number of pages + - `data`: List of practices (`PLPracticeInterventionListItem`) + """ + return crud_practice.get_practice_list( + db, + page=page, + limit=limit, + search=search, + impact_area=impact_area, + sourcing_strategy_cycle=sourcing_strategy_cycle, + procurement_principles=procurement_principles + ) + + +# ============================================================ +# GET DETAIL +# ============================================================ +@pl_practice_router_v2.get( + "/practice/{practice_id}", + name="plv2:get_detail_by_practice_id", + summary="Retrieve a detailed practice intervention by ID", + response_description="Detailed record of a practice intervention, including indicators, scores, and tags", + response_model=PLPracticeInterventionDetailRead, +) +def get_practice_detail(practice_id: int, db: Session = Depends(get_session)): + """ + Retrieve detailed information for a **single practice intervention**. + + ### Path Parameters: + - **practice_id** — The unique identifier of the practice intervention + + ### Returns: + - `PLPracticeInterventionDetailRead`: includes + - Core practice fields + - Related `scores` and `indicators` + - Related `tags` and `attributes` + - Environmental and income flags + - Procurement process summary + """ + result = crud_practice.get_practice_by_id(db, practice_id) + if not result: + raise HTTPException(status_code=404, detail="Practice not found") + return result + + +# ============================================================ +# GET PRACTICES BY ATTRIBUTE ID (WITH OPTIONAL FILTER BY ATTRIBUTE IDS) +# ============================================================ +@pl_practice_router_v2.get( + "/practices-by-attribute/{attribute_id}", + name="plv2:get_practices_by_attribute_id", + summary="Get practices by attribute ID (optionally filtered by other criteria)", + response_description="Paginated list of practices filtered by attribute", + response_model=PaginatedPracticeByAttributeResponse, + tags=["Procurement Library V2"], +) +def get_practices_by_attribute_id( + attribute_id: int, + page: int = Query(1, ge=1, description="Page number"), + limit: int = Query(10, ge=1, le=100, description="Number of items per page"), + search: Optional[str] = Query(None, description="Search by practice label"), + impact_area: Optional[str] = Query(None, description="Optional filter by impact area"), + sourcing_strategy_cycle: Optional[int] = Query(None, description="Optional filter by sourcing strategy cycle"), + procurement_principles: Optional[int] = Query(None, description="Optional filter by procurement principles"), + db: Session = Depends(get_session), +): + """ + Returns a paginated list of practice interventions linked to a specific attribute. + + **Path parameter:** + - **attribute_id**: The ID of the main attribute (e.g., from *Sourcing Strategy Cycle*). + + **Query parameters:** + - **page**: Page number (default = 1) + - **limit**: Number of items per page (default = 10) + - **search**: Optional filter by practice label + - **impact_area** - Optional filter by impact area + - **sourcing_strategy_cycle** - Optional filter by sourcing strategy cycle + - **procurement_principles** - Optional filter by procurement principles + + **Notes:** + - **is_environmental** is True if any indicator named **"environmental_impact"** has score > 3. + - **is_income** is True if any indicator named **"income_impact"** has score > 3. + """ + return crud_practice.get_practices_by_attribute( + db=db, + attribute_id=attribute_id, + page=page, + limit=limit, + search=search, + impact_area=impact_area, + sourcing_strategy_cycle=sourcing_strategy_cycle, + procurement_principles=procurement_principles, + ) diff --git a/backend/seed_master.sh b/backend/seed_master.sh index b8afc231..87f5c1be 100755 --- a/backend/seed_master.sh +++ b/backend/seed_master.sh @@ -9,4 +9,9 @@ python -m seeder.region python -m seeder.benchmark python -m seeder.question python -m seeder.reference_data -python -m seeder.procurement_library \ No newline at end of file + +# old PL seeder +python -m seeder.procurement_library + +# new PL seeder oct 2025 +python -m seeder.procurement_library_v2 \ No newline at end of file diff --git a/backend/seeder/procurement_library_v2.py b/backend/seeder/procurement_library_v2.py new file mode 100644 index 00000000..a7cad841 --- /dev/null +++ b/backend/seeder/procurement_library_v2.py @@ -0,0 +1,210 @@ +import os +import sys +import math +import pandas as pd +from sqlalchemy.orm import Session +from db.connection import Base, engine, SessionLocal +from utils.truncator import truncatedb + +# Import models +from models.procurement_library_v2.pl_models import ( + PLCategory, + PLAttribute, + PLPracticeIntervention, + PLPracticeInterventionTag, + PLIndicator, + PLPracticeInterventionIndicatorScore, +) + +# Define base paths +BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) +MASTER_DIR = os.path.join(BASE_DIR, "source", "master") +sys.path.append(BASE_DIR) + + +# ============================================================ +# Helper: Truncate all PL tables +# ============================================================ +def truncate_pl_tables(session: Session): + print("[INFO] Truncating all Procurement Library tables...") + truncatedb(session=session, table="pl_indicator") + truncatedb(session=session, table="pl_practice_intervention") + truncatedb(session=session, table="pl_attribute") + truncatedb(session=session, table="pl_category") + print("[DONE] All PL tables truncated.") + + +# ============================================================ +# Helper: Load CSV safely and convert NaN -> None +# ============================================================ +def load_csv(file_name: str) -> pd.DataFrame: + file_path = os.path.join(MASTER_DIR, file_name) + if not os.path.exists(file_path): + print(f"[WARN] File not found: {file_path}") + return pd.DataFrame() + + df = pd.read_csv(file_path, dtype=str) # read everything as string + df = df.map(lambda x: x.strip() if isinstance(x, str) else x) + df = df.map(lambda x: None if (isinstance(x, float) and math.isnan(x)) else x) + + # Normalize NaN-like values to None + df = df.replace( + { + "NaN": None, + "nan": None, + "NAN": None, + "": None, + "None": None, + "null": None, + "NULL": None, + } + ) + return df + + +# ============================================================ +# Seeder: Category +# ============================================================ +def seed_categories(session: Session): + df = load_csv("pl_category.csv") + if df.empty: + return + + for _, row in df.iterrows(): + category = PLCategory( + id=int(row["id"]), + name=row["name"], + description=row.get("description"), + ) + session.add(category) + session.commit() + print(f"[OK] Seeded {len(df)} categories.") + + +# ============================================================ +# Seeder: Attribute +# ============================================================ +def seed_attributes(session: Session): + df = load_csv("pl_attribute.csv") + if df.empty: + return + + for _, row in df.iterrows(): + attr = PLAttribute( + id=int(row["id"]), + category_id=int(row["category_id"]) if row.get("category_id") else None, + label=row["label"], + description=row.get("description"), + ) + session.add(attr) + session.commit() + print(f"[OK] Seeded {len(df)} attributes.") + + +# ============================================================ +# Seeder: Practice Interventions +# ============================================================ +def seed_practices(session: Session): + df = load_csv("pl_practice_intervention.csv") + if df.empty: + return + + for _, row in df.iterrows(): + practice = PLPracticeIntervention( + id=int(row["id"]), + label=row["label"], + intervention_definition=row.get("intervention_definition"), + enabling_conditions=row.get("enabling_conditions"), + business_rationale=row.get("business_rationale"), + farmer_rationale=row.get("farmer_rationale"), + risks_n_trade_offs=row.get("risks_n_trade_offs"), + intervention_impact_income=row.get("intervention_impact_income"), + intervention_impact_env=row.get("intervention_impact_env"), + source_or_evidence=row.get("source_or_evidence"), + ) + session.add(practice) + session.commit() + print(f"[OK] Seeded {len(df)} practice interventions.") + + +# ============================================================ +# Seeder: Practice Tags +# ============================================================ +def seed_practice_tags(session: Session): + df = load_csv("pl_practice_intervention_tag.csv") + if df.empty: + return + + for _, row in df.iterrows(): + tag = PLPracticeInterventionTag( + practice_intervention_id=int(row["practice_intervention_id"]), + attribute_id=int(row["attribute_id"]), + ) + session.add(tag) + session.commit() + print(f"[OK] Seeded {len(df)} practice tags.") + + +# ============================================================ +# Seeder: Indicators +# ============================================================ +def seed_indicators(session: Session): + df = load_csv("pl_indicator.csv") + if df.empty: + return + + for _, row in df.iterrows(): + indicator = PLIndicator( + id=int(row["id"]), + name=row["name"], + label=row["label"], + description=row.get("description"), + ) + session.add(indicator) + session.commit() + print(f"[OK] Seeded {len(df)} indicators.") + + +# ============================================================ +# Seeder: Indicator Scores +# ============================================================ +def seed_scores(session: Session): + df = load_csv("pl_practice_indicator_score.csv") + if df.empty: + return + + for _, row in df.iterrows(): + score = PLPracticeInterventionIndicatorScore( + id=int(row["id"]), + practice_intervention_id=int(row["practice_intervention_id"]), + indicator_id=int(row["indicator_id"]), + score=float(row["score"]) if row.get("score") is not None else None, + ) + session.add(score) + session.commit() + print(f"[OK] Seeded {len(df)} indicator scores.") + + +# ============================================================ +# Main Seeder Runner +# ============================================================ +if __name__ == "__main__": + Base.metadata.create_all(bind=engine) + session = SessionLocal() + try: + truncate_pl_tables(session) + + seed_categories(session) + seed_attributes(session) + seed_practices(session) + seed_practice_tags(session) + seed_indicators(session) + seed_scores(session) + + print("\n✅ [DONE] Procurement Library seeding completed successfully.") + except Exception as e: + session.rollback() + print(f"\n❌ [ERROR] Seeding failed: {e}") + raise + finally: + session.close() diff --git a/backend/source/master/pl_attribute.csv b/backend/source/master/pl_attribute.csv new file mode 100644 index 00000000..ea0a1904 --- /dev/null +++ b/backend/source/master/pl_attribute.csv @@ -0,0 +1,15 @@ +id,category_id,label,description +1,1,Step 1. Internal analysis, +2,1,Step 2. External analysis, +3,1,Step 3. Strategic choices, +4,1,Step 4. Implementation, +5,2,1. Longer-term purchasing agreements, +6,2,2. Improved payment terms and higher (farmgate) prices), +7,2,3. Develop and deepen equitable supply chain relationships, +8,2,4. Improve efficiency and enhance transparency, +9,2,5. Reduce volatility and risk for farmers, +10,3,Farmer, +11,3,Manufacturer/ Processor, +12,3,Primary/ Secondary Processor, +13,3,Retailer, +14,3,Trader, diff --git a/backend/source/master/pl_category.csv b/backend/source/master/pl_category.csv new file mode 100644 index 00000000..c13e2328 --- /dev/null +++ b/backend/source/master/pl_category.csv @@ -0,0 +1,4 @@ +id,name,description +1,Sourcing Strategy Cycle, +2,Sustainable Procurement Principle, +3,Value Chain Actor, diff --git a/backend/source/master/pl_indicator.csv b/backend/source/master/pl_indicator.csv new file mode 100644 index 00000000..06f1fcc4 --- /dev/null +++ b/backend/source/master/pl_indicator.csv @@ -0,0 +1,5 @@ +id,name,label,description +1,implementation_time,Implementation Time, +2,implementation_cost_effort,Implementation Cost / Effort, +3,income_impact,Income Impact, +4,environmental_impact,Environmental Impact, diff --git a/backend/source/master/pl_practice_indicator_score.csv b/backend/source/master/pl_practice_indicator_score.csv new file mode 100644 index 00000000..4a4da720 --- /dev/null +++ b/backend/source/master/pl_practice_indicator_score.csv @@ -0,0 +1,109 @@ +id,practice_intervention_id,indicator_id,score +1,1,1,5.0 +2,1,2,3.0 +3,1,3,5.0 +4,1,4,5.0 +5,2,1,1.0 +6,2,2,1.0 +7,2,3,5.0 +8,2,4,5.0 +9,3,1,1.0 +10,3,2,1.0 +11,3,3,5.0 +12,3,4,5.0 +13,4,1,5.0 +14,4,2,3.0 +15,4,3,5.0 +16,4,4,5.0 +17,5,1,2.0 +18,5,2,2.0 +19,5,3,5.0 +20,5,4,5.0 +21,6,1,3.0 +22,6,2,3.0 +23,6,3,5.0 +24,6,4,5.0 +25,7,1,1.0 +26,7,2,1.0 +27,7,3,5.0 +28,7,4,5.0 +29,8,1,3.0 +30,8,2,3.0 +31,8,3,4.0 +32,8,4,5.0 +33,9,1,5.0 +34,9,2,5.0 +35,9,3,5.0 +36,9,4,5.0 +37,10,1,3.0 +38,10,2,3.0 +39,10,3,5.0 +40,10,4,5.0 +41,11,1,2.0 +42,11,2,3.0 +43,11,3,3.0 +44,11,4,3.0 +45,12,1,5.0 +46,12,2,3.0 +47,12,3,3.0 +48,12,4,5.0 +49,13,1,5.0 +50,13,2,3.0 +51,13,3,5.0 +52,13,4,5.0 +53,14,1,2.0 +54,14,2,3.0 +55,14,3,5.0 +56,14,4,5.0 +57,15,1,3.0 +58,15,2,3.0 +59,15,3,5.0 +60,15,4,5.0 +61,16,1,3.0 +62,16,2,2.0 +63,16,3,5.0 +64,16,4,5.0 +65,17,1,3.0 +66,17,2,3.0 +67,17,3,5.0 +68,17,4,5.0 +69,18,1,3.0 +70,18,2,1.0 +71,18,3,5.0 +72,18,4,5.0 +73,19,1,5.0 +74,19,2,3.0 +75,19,3,5.0 +76,19,4,5.0 +77,20,1,5.0 +78,20,2,5.0 +79,20,3,5.0 +80,20,4,5.0 +81,21,1,5.0 +82,21,2,2.0 +83,21,3,5.0 +84,21,4,5.0 +85,22,1,5.0 +86,22,2,4.0 +87,22,3,5.0 +88,22,4,5.0 +89,23,1,1.0 +90,23,2,1.0 +91,23,3,5.0 +92,23,4,5.0 +93,24,1,1.0 +94,24,2,1.0 +95,24,3,5.0 +96,24,4,5.0 +97,25,1,2.0 +98,25,2,2.0 +99,25,3,5.0 +100,25,4,5.0 +101,26,1,3.0 +102,26,2,3.0 +103,26,3,4.0 +104,26,4,4.0 +105,27,1,5.0 +106,27,2,5.0 +107,27,3,5.0 +108,27,4,5.0 diff --git a/backend/source/master/pl_practice_intervention.csv b/backend/source/master/pl_practice_intervention.csv new file mode 100644 index 00000000..5ca50c68 --- /dev/null +++ b/backend/source/master/pl_practice_intervention.csv @@ -0,0 +1,1191 @@ +id,label,intervention_definition,enabling_conditions,business_rationale,farmer_rationale,risks_n_trade_offs,intervention_impact_income,intervention_impact_env,source_or_evidence +1,Agroecological Practices,"

Definition

+

Implement agroforestry, cover cropping, polyculture, hedgerows, livestock integration, energy efficiency, and renewable energy as part of regenerative agriculture and decarbonization strategies to increase resilience and farmer income.

","

1. Enabling Conditions for Agroforestry in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that promote the inclusion of agroforestry products and support suppliers engaging in agroforestry practices.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of agroforestry benefits and promote the inclusion of agroforestry in sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to agroforestry, fostering partnerships and encouraging the adoption of agroforestry practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify agroforestry practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing agroforestry to promote stability and incentivize continued commitment to sustainable practices.

+

2. Enabling Conditions for Agroforestry on a Farm Level:

+

Land-Use Planning: Development of comprehensive land-use plans that integrate agroforestry components, considering the placement of trees and shrubs within the overall farming system.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing agroforestry practices, optimizing tree-crop interactions, and addressing challenges.

+

Financial Incentives: Provision of financial incentives or favorable payment terms for farmers adopting agroforestry, supporting their financial viability during the transition.

+

Access to Tree Species: Availability of diverse and appropriate tree species for agroforestry, enabling farmers to select trees that complement their specific crops and enhance overall farm productivity.

+

Community Engagement: Engagement with local communities and agricultural extension services to raise awareness of agroforestry benefits, build support, and encourage the adoption of these practices.

+

For both procurement organizations and farms, successful implementation of agroforestry requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of agroforestry principles into the core of farming and procurement strategies.

","

Agroecological Practices are most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Decarbonisation Levers, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of agroecological practices can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers and pesticides

+

• Help enhance yields over the long term through improving the soil and local ecosystem health

+

• Improve carbon sequestration on farms. If appropriately set up, monitored, measured and accounted, this could contribute to business carbon reduction commitments. If certified, it could also create a secondary income stream through farmers selling carbon credits.

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, direct with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

+

Additionally, if there is an income gap during the transition to new practices, the procurement strategy should identify partners or financial mechanisms, such as blended finance, that can bridge this gap, and ensure these are reflected in the Cost of Goods cost model.

","

Environmental Perspective:

+

Soil Health: A mix of trees, cover crops, hedgerows, diverse crops, and livestock manure builds soil organic matter, reduces erosion, improves water infiltration, and strengthens microbial activity.

+

Biodiversity and Ecosystem Services: Integrating woody perennials, field borders, mixed species plantings, and livestock increases habitat for pollinators and natural enemies, strengthens nutrient cycling, and supports carbon storage.

+

Microclimate and Water: Tree rows and borders provide shade and shelter, lower evapotranspiration, and improve water retention and quality across fields.

+

Income Perspective:

+

Diversified Income Streams: Multiple crops, tree products, and livestock add revenue channels across seasons, reducing reliance on a single commodity.

+

Lower Input Costs: Biological nitrogen fixation, manure, weed suppression, and natural pest control cut spend on synthetic fertilizers and pesticides over time.

+

Yield and Quality Gains: Better pollination and soil function can lift yields and product quality, improving market returns and access to sustainability premia where available.

+

Risk Perspective:

+

Operational Stability: Diversity spreads agronomic and market risk and provides feed and forage buffers when a single crop underperforms.

+

Pest and Disease Pressure: Habitat for beneficial insects and crop diversity disrupt pest life cycles and reduce outbreak severity.

+

Climate Resilience: Improved soils and on farm shelter reduce losses from heat, wind, and intense rainfall, supporting production in variable seasons.

+

Link to Procurement Organizations:

+

Agroecological approaches need time to implement. Procurement partners must be committed through a long-term sourcing strategy commitment to farmers. This can enable adoption through multi year purchase commitments, technical support, and co investment in establishment costs such as seedlings, cover crop seed, fencing, and water points. Clear sourcing standards and premia for verified outcomes align farm level incentives with company goals on climate and nature, strengthening supply security and performance.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Complexity: Buyers must address potential challenges in logistics, quality control, and traceability introduced by agroforestry integration, implementing strategies to streamline the supply chain.

+

Variable Crop Yields: Buyers need to manage uncertainties in meeting consistent procurement demands resulting from variable crop yields in agroforestry systems, implementing strategies for demand forecasting and inventory management.

+

Certification Challenges: Buyers should establish robust monitoring and verification processes to address challenges in ensuring adherence to agroforestry certification standards, maintaining credibility in sustainable sourcing.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance potential cost implications of agroforestry with the desire to support sustainable and environmentally friendly sourcing practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Diversity: Striking a balance between ensuring a consistent supply from traditional sources and offering the diversity of products from agroforestry systems requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and variety.

+

2. Supplier Perspective:

+

Risks

+

Initial Investment: Suppliers adopting agroforestry practices must address the financial challenges associated with initial investments in tree planting and farm restructuring, implementing financial planning strategies.

+

Longer Time to Production: Suppliers need to manage the delay in income associated with the longer time to production in agroforestry systems, making strategic decisions to balance short-term financial needs with long-term benefits.

+

Market Access Challenges: Suppliers engaging in agroforestry may face challenges in accessing markets that prioritize traditional, monoculture products, necessitating strategic decisions to overcome barriers and establish market presence.

+

Trade-offs

+

Income Delay vs. Long-Term Benefits: Suppliers must balance the delay in income associated with agroforestry against the long-term benefits, including diversified revenue streams and enhanced sustainability, making decisions that align with their financial goals and long-term vision.

+

Traditional vs. Agroforestry Practices: Suppliers may face trade-offs between traditional farming practices and the adoption of agroforestry, weighing the potential benefits against the challenges, requiring a thoughtful and strategic approach to implementation.

+

Market Access vs. Agroforestry Adoption: Deciding on the extent to which suppliers want to engage with markets that value agroforestry products and balancing it with traditional market access involves trade-offs, requiring a careful evaluation of market dynamics and supplier priorities.

",

Direct

,

Direct

,"1. https://environmentalevidencejournal.biomedcentral.com/articles/10.1186/s13750-018-0136-0
+2. https://ecotree.green/en/blog/what-is-agroforestry-and-why-is-it-good-for-the-environment
+3. https://oxfordre.com/environmentalscience/display/10.1093/acrefore/9780199389414.001.0001/acrefore-9780199389414-e-195
+4. https://onlinelibrary.wiley.com/doi/full/10.1002/cl2.1066
+5. https://www.woodlandtrust.org.uk/media/51622/farming-for-the-future-how-agroforestry-can-deliver-for-nature-climate.pdf
+6. https://www.mdpi.com/1999-4907/13/4/556
" +2,Incorporate Business Strategy Needs,"

Definition

+

Evaluate corporate or brand sustainability commitments or targets. Do this to identify whether any of these may be related to and impacted by procurement decisions, and therefore whether they should be considered in strategy development.

","

To implement effective Business Procurement Requirements Planning, a procurement organization should align its strategies with overall business objectives, foster collaborative stakeholder engagement, establish comprehensive data management systems, invest in technological infrastructure, ensure skilled procurement personnel, provide continuous training, maintain clear documentation and standardization, integrate supplier relations, implement effective risk management, foster flexibility and adaptability, and establish performance metrics for continuous improvement.

","

Corporate or brand sustainability commitments may relate to topics such as climate, human rights, deforestation, water, nature, or circularity. The activities and impacts in the supply chain may directly impact these commitments. Therefore, checking whether they exist and which ones may be relevant is important to ensure alignment with the broader business strategy.

+

It may be helpful to consider the following questions:

+

• How critical is the spend category in delivering business objectives and commitments now and in the next 5 years?

+

• Is the spend category a critical driver for business growth?

+

• If the spend category is not critical for driving the business strategy, it is unlikely ‘sustainability risks’ even if identified, will be significantly important for the business to prioritise for direct mitigation.

+

• How might activities in the supply chain of this spend category link to the sustainability commitments or targets. For example, does the spend category carry risk of deforestation and does this impact business commitments relating to deforestation?

","

Income Perspective

+

Market Access and Fair Pricing: Incorporating business strategy needs ensures that farmers understand demand signals and quality requirements. This creates better market access, fairer prices, and improved income stability.

+

Efficient Resource Utilization: With clearer alignment to buyer strategies, farmers can plan production more effectively, optimize resources, and reduce waste, which strengthens profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Strategic alignment encourages farmers to adopt practices that meet environmental expectations, such as efficient water use, reduced chemical inputs, and enhanced biodiversity.

+

Reduced Environmental Impact: Producing in line with actual demand lowers the risks of surplus, cutting food waste and the environmental footprint of unnecessary resource use.

","

1. Buyer Perspective:

+

Risks

+

Misalignment with Business Objectives: Inadequate alignment of procurement requirements planning with overall business objectives may lead to inefficiencies and missed opportunities.

+

Increased Lead Times: Overly complex planning processes might result in increased lead times, affecting the organization's ability to respond quickly to market changes.

+

Supplier Relationship Strain: Excessive demands in procurement requirements planning may strain relationships with suppliers, potentially impacting collaboration and service levels.

+

Trade-offs

+

Cost Efficiency vs. Quality Requirements: Buyers may face the trade-off between achieving cost efficiency in procurement requirements planning and ensuring stringent quality standards. Striking the right balance involves optimizing costs without compromising the quality of goods or services.

+

Flexibility vs. Standardization: Buyers may desire flexibility in procurement requirements to adapt to changing market conditions, but this must be balanced against the benefits of standardization for efficiency. The challenge involves maintaining adaptability while establishing standardized processes.

+

Lead Time vs. Urgency: Buyers setting procurement requirements may need to balance lead times for planning with the urgency of meeting immediate needs. The trade-off involves planning ahead while addressing time-sensitive procurement requirements.

+

Innovation vs. Compliance: Buyers may seek innovative solutions in procurement but must balance this with compliance to regulatory and organizational requirements. The challenge is to foster innovation while ensuring adherence to necessary standards.

+

2. Supplier Perspective

+

Risks

+

Unclear Requirements: Ambiguous or changing requirements may lead to misunderstandings, causing suppliers to deliver products or services that do not meet buyer expectations.

+

Increased Costs: If procurement requirements planning is too stringent, suppliers may face higher production or service delivery costs, potentially impacting pricing agreements.

+

Limited Innovation Opportunities: Rigorous planning may limit opportunities for suppliers to showcase innovative solutions, hindering mutual growth.

+

Trade-offs

+

Consistency vs. Varied Offerings: Suppliers may face the trade-off between consistency in meeting buyer requirements and offering varied products or services. Striking the right balance involves fulfilling standard requirements while showcasing diverse offerings.

+

Long-Term Contracts vs. Market Volatility: Suppliers may desire long-term contracts for stability, but this could conflict with the volatility of market conditions. The challenge is to secure stable contracts while adapting to market dynamics.

+

Compliance vs. Innovation Investments: Suppliers may need to allocate resources for compliance with buyer requirements, and this must be balanced against investments in innovation. The trade-off involves managing compliance costs while fostering a culture of innovation.

+

Customization vs. Standardization: Suppliers may desire customization in meeting buyer requirements, but this must be balanced against the benefits of standardization for efficient production. The challenge involves tailoring solutions while maintaining operational efficiency.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

" +3,Buyer Sustainability Targets,"

Definition

+

Set buyer sustainability targets, supported by performance KPIs, to track and ensure delivery of sustainable procurement outcomes as part of sourcing strategy implementation.

","

To effectively implement Buyer Sustainability Targets in procurement:

+

1. Secure leadership commitment to prioritize sustainability.

+

2. Engage stakeholders, including suppliers, in target development.

+

3. Conduct a baseline assessment to identify areas for improvement.

+

4. Define clear, measurable, and time-bound sustainability targets aligned with organizational goals.

+

5. Foster collaboration with suppliers, evaluating their sustainability practices.

+

6. Provide employee training to enhance awareness of sustainable procurement practices.

+

7. Integrate sustainability considerations into all stages of the procurement process.

+

8. Establish systems for regular monitoring and reporting of sustainability performance.

+

9. Ensure legal and regulatory compliance with relevant sustainability standards.

+

10. Invest in technology and data systems to streamline tracking and reporting processes.

","

Once the strategic choices have been identified, take the time to identify KPIs that will enable tracking of implementation and progress against these choices by buyers. Aim to create as few KPIs as possible to give you the understanding you need while being realistic about data collection capabilities.

+

Include these KPIs on internal business scorecards and dashboards, and consider linking them to buyer remuneration. If the strategic choices have been selected thoughtfully, implementation of them will help drive value for the business and mitigate risks. As such, progress against these should be tracked and owners held responsible in the same way as they would for other business critical actions.

","

1. Income Perspective

+

Incorporating sustainability targets in procurement can guarantee farmers fair trade prices for their products, improving their income. Long-term contracts can offer better income security. Better market access and elevated certification value can also increase sales opportunities for farmers, thereby increasing their income.

+

2. Environment Perspective

+

Buyer sustainability targets often promote sustainable farming techniques, encouraging farmers to adopt practices that have less impact on the environment. By doing so, it not only contributes to environmental preservation but also improves the long-term sustainability of farms by preserving the health of the soil, preserving water resources, and reducing the impact on wildlife ecosystems.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing sustainability targets may initially incur additional costs for eco-friendly products or suppliers with sustainable practices.

+

Limited Supplier Pool: Stricter sustainability criteria may reduce the pool of eligible suppliers, potentially limiting competitive options.

+

Complexity in Compliance: Ensuring compliance with sustainability targets can be challenging, particularly when dealing with global supply chains and diverse regulations.

+

Trade-offs

+

Sustainability vs. Cost Efficiency: Buyers may face the trade-off between achieving sustainability targets and maintaining cost efficiency in procurement. Striking the right balance involves integrating sustainable practices without compromising overall cost-effectiveness.

+

Supplier Diversity vs. Cost Competitiveness: Buyers aiming for supplier diversity may encounter the trade-off between fostering a diverse supplier base and ensuring cost competitiveness. The challenge is to balance diversity goals with the economic efficiency of the supply chain.

+

Long-Term Sustainability vs. Immediate Gains: Buyers must decide between pursuing long-term sustainability objectives and seeking immediate gains through potentially less sustainable practices. Striking the right balance involves aligning short-term gains with broader sustainability goals.

+

Innovation vs. Established Practices: Buyers may trade off between encouraging innovation in sustainable practices and sticking to established, potentially less sustainable, procurement methods. Balancing innovation with proven practices is essential for sustainable procurement.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Adhering to sustainability targets may require suppliers to invest in new technologies or practices, potentially causing financial strain.

+

Competitive Disadvantage: Suppliers not meeting sustainability targets may face a disadvantage in bidding for contracts, affecting competitiveness.

+

Complex Certification Processes: Suppliers may encounter challenges in navigating complex certification processes to prove their sustainability credentials.

+

Trade-offs

+

Compliance vs. Innovation: Suppliers may face the trade-off between complying with buyer sustainability targets and innovating in their offerings. Striking the right balance involves meeting sustainability requirements while fostering a culture of innovation.

+

Cost of Sustainability Compliance vs. Profitability: Suppliers may incur additional costs to meet sustainability requirements, impacting overall profitability. The trade-off involves managing compliance costs while maintaining a viable and profitable business model.

+

Market Access vs. Sustainability Investments: Suppliers must decide between investing in sustainability practices to access markets with stringent requirements and balancing these investments with other business needs. Striking the right balance involves meeting market demands while ensuring financial viability.

+

Risk Mitigation vs. Market Competitiveness: Suppliers may prioritize risk mitigation through sustainable practices but must balance this with remaining competitive in the market. The trade-off involves managing risks while staying competitive in the procurement landscape.

",

Indirect

,

Indirect

,"

IDH Based Interviews (Frank Joosten)

+

EY Based Interviews

" +4,Decarbonisation levers,"

Definition

+

Implement decarbonisation levers where net-zero or climate mitigation is a corporate goal or where external risk assessments highlight climate threats to supply security. Opportunities may include agroforestry or soil conservation for carbon sequestration which in turn can create additional sources of farmer income

","

1. Enabling Conditions for Carbon Sequestration in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers actively engaged in carbon sequestration practices, emphasizing environmentally responsible and climate-friendly agricultural methods.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of carbon sequestration techniques and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to carbon sequestration, fostering partnerships, and incentivizing the adoption of sustainable farming practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify carbon sequestration practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers actively engaged in carbon sequestration to promote stability and incentivize continued commitment to sustainable and climate-friendly farming methods.

+

2. Enabling Conditions for Carbon Sequestration on a Farm Level:

+

Cover Cropping: Integration of cover crops into farming practices to enhance soil health, increase organic matter, and promote carbon sequestration.

+

Agroforestry Practices: Incorporation of agroforestry techniques, such as planting trees on farmlands, to sequester carbon in both soil and woody biomass.

+

Conservation Tillage: Adoption of conservation tillage methods, like no-till or reduced tillage, to minimize soil disturbance and enhance carbon retention in the soil.

+

Crop Rotation: Implementation of crop rotation strategies to improve overall soil health, increase carbon content, and contribute to sustainable soil management.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective carbon sequestration practices, optimizing soil health and overall sustainability.

+

Successful implementation of carbon sequestration requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of climate-friendly principles into the core of farming and procurement strategies.

","

When is this a strategic choice?

+

Implement decarbonisation levers where net-zero or climate mitigation is a corporate goal or where external risk assessments highlight climate threats to supply security.

+

What it means:

+

Decarbonisation levers are activities that a business can use to reduce carbon emissions. They can be performed directly by the business or, as is more likely in this instance, in the upstream supply chain. Examples of decarbonisation levers can include:

+

• Switching to renewable energy

+

• Improving energy efficiency of equipment and processes

+

• Agroforestry or soil conservation

+

• Carbon sequestration

+

Some decarbonisation levers are about directly reducing emissions produced e.g. switching to renewable energy. Others are opportunities to capture carbon, offsetting emissions that may occur elsewhere.

+

When offsetting activities are done within your own value chain, it is referred to as insetting. The whole value chain can present opportunities for insetting and materials sourced from agriculture can offer brilliant opportunities. For example, agroforestry, increasing natural habitats for biodiversity or increasing soil organic matter.

+

There are challenges associated with insetting. There are physical challenges in ensuring the permanence of actions taken to inset carbon. There are also accountancy challenges in calculating the carbon benefit achieved through these actions. Both of these require specialist input to ensure they are done properly.

+

Insetting can also benefit farmer income. Insetting actions that produce carbon credits that a farmer can sell is a way of generating additional income. This can be particularly valuable if farmers can use marginal land for actions such as tree planting.

+

Ensuring carbon insetting requires commitment and verification over the long term. A business must be confident that this can be achieved in order to make this a valid strategic choice.

","

Environmental Perspective

+

Practices such as agroforestry, cover cropping, reduced tillage, and improved manure management increase soil organic carbon and strengthen biodiversity. Shifts to energy efficient machinery, irrigation, and cold storage cut fuel use, while on farm renewables reduce reliance on fossil energy. Together, these actions lower emissions, improve soil and water health, and build resilient ecosystems.

+

Income Perspective

+

Improved efficiency lowers spending on fuel, fertilizer, and electricity. Renewable energy systems, such as solar for pumping or drying, reduce long term operating costs and can provide surplus energy for sale. Participation in carbon markets can generate additional income through verified credits, and sourcing programs that reward decarbonisation can deliver access to premiums or long term contracts.

+

Risk Perspective

+

Decarbonisation reduces exposure to energy price volatility, fertilizer shortages, and regulatory pressures on emissions. Practices that build soil carbon and improve efficiency also strengthen resilience to drought, flooding, and extreme weather. By diversifying income through carbon credits or renewable energy sales, farmers reduce dependence on a single revenue stream.

+

Link to Procurement Organizations

+

Procurement partners must be committed to very long-term physical carbon insetting to create value for farmers for low carbon products, co-investing in renewable installations, and supporting measurement and verification of carbon outcomes. Long term offtake agreements, technical support, and access to finance help farmers adopt practices and technologies that deliver both emissions reduction and supply chain resilience.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Adoption of carbon sequestration practices may lead to variations in agricultural production and potential disruptions in the supply chain, affecting product availability.

+

Cost Implications: Suppliers implementing carbon sequestration practices may incur initial costs, potentially impacting product prices and the overall procurement budget.

+

Certification Challenges: Ensuring adherence to certification standards related to carbon sequestration may pose challenges, requiring rigorous monitoring and verification.

+

Trade-offs

+

Cost vs. Sustainability: Balancing potential cost implications of products from suppliers engaged in carbon sequestration with the desire to support environmentally responsible and climate-friendly sourcing practices.

+

Consistency vs. Innovation: Striking a balance between consistent supply from traditional sources and the innovative adoption of carbon sequestration practices within the supply chain.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers implementing carbon sequestration practices may initially face higher costs, potentially causing financial strain and impacting competitiveness.

+

Transition Period Challenges: Adoption of new practices may pose challenges during the initial phases, affecting production efficiency and consistency.

+

Market Access Concerns: Suppliers may face challenges in accessing markets that prioritize traditional, non-carbon sequestration farming practices.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of adopting carbon sequestration practices against potential market access and premium prices associated with sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adopt carbon sequestration practices may divert attention and resources from traditional production methods.

+

Short-Term Costs vs. Long-Term Benefits: Balancing the short-term financial implications of transitioning to carbon sequestration with the potential long-term benefits in terms of soil health, productivity, and environmental sustainability.

+

Addressing these risks and trade-offs requires careful planning, collaboration, and a long-term perspective from both buyers and suppliers in the procurement process.

",

Indirect

,

Direct

,"1. https://www.greenbiz.com/article/why-jpmorgan-hm-and-others-will-pay-571-million-spread-crushed-rock-farmland
" +5,Comprehensive Value Chain Risk Assessment,"

Definition

+

Conduct a thorough external risk analysis across climate, biodiversity, nature, human rights, forced labour, child labour, and free, prior, and informed consent. Include regulatory sustainability risks (climate, human rights, supply chain due diligence) linked to sourced materials.

","

Enabling conditions for environmental risk assessment in a procurement organization include:

+

Supply Chain Visibility: Establish comprehensive supply chain visibility to identify key environmental hotspots and potential impacts associated with agri-food procurement activities.

+

Environmental Expertise: Ensure that the procurement team has access to or collaborates with environmental experts who can effectively assess and interpret environmental data and impacts.

+

Data Collection and Monitoring Systems: Implement robust data collection and monitoring systems to track environmental indicators, enabling the continuous assessment of procurement activities.

+

Stakeholder Engagement: Engage with key stakeholders, including suppliers and local communities, to gather insights on potential environmental impacts and foster collaborative efforts in mitigating adverse effects.

+

Sustainability Criteria Integration: Embed environmental sustainability criteria directly into procurement policies and evaluation processes, making EIAs an integral part of supplier selection and product sourcing.

+

Regulatory Adherence: Stay informed about and comply with environmental regulations and standards specific to the agri-food sector, ensuring that EIAs align with legal requirements.

+

Technology Adoption: Leverage innovative technologies, such as satellite imagery or remote sensing tools, to enhance the accuracy and efficiency of EIAs, especially in assessing land use, water consumption, and biodiversity impacts.

+

Risk Mitigation Strategies: Develop strategies to address identified environmental risks within the supply chain, incorporating measures to mitigate issues related to water usage, pollution, deforestation, and other relevant concerns.

+

Benchmarking and Performance Metrics: Establish benchmarking mechanisms and performance metrics to compare the environmental impact of different suppliers and products, promoting competition in adopting sustainable practices.

+

Collaboration with Certification Bodies: Collaborate with recognized environmental certification bodies to align EIAs with established standards, providing credibility and assurance of environmentally responsible sourcing practices.

+

Education and Training: Provide ongoing education and training for procurement professionals on the latest methodologies and tools for conducting EIAs, ensuring a well-informed and skilled team.

+

Continuous Improvement Framework: Implement a continuous improvement framework based on EIA findings, fostering a culture of learning and adaptation to evolving environmental challenges.

+

Transparent Reporting: Communicate EIA results transparently to internal and external stakeholders, demonstrating the organization's commitment to environmental responsibility and accountability.

+

Incentivizing Sustainable Practices: Develop incentive mechanisms for suppliers that actively engage in reducing their environmental impact, encouraging a proactive approach to sustainability.

+

By focusing on these targeted pproaches, procurement organizations can enhance the effectiveness of their EIAs, leading to more sustainable and environmentally conscious sourcing practices.

","

Conducting a value chain risk assessment enables identification and assessment of the sustainability risks in your value chain. This is key to enabling effective risk management in procurement decisions. To do this effectively, it is helpful to have a good level of Value Chain Visibility first. However, a high-level assessment can still bring value to the business by identifying the most likely and severe types of risks associated with different categories.

+

The lenses through which you may want to consider a risk assessment include:

+

• Country of Origin: The country defines the macro risks based on its environmental, social, political and economic situation.

+

• Commodity/category/product of interest: The processes involved in the production of different commodities, categories and products impact the risks associated with them

+

• Risks to Assess: The most important risks to assess may be associated with the countries and commodities of interest, or they may come from reviewing your business strategy and sustainability commitments. The risks of interests may include:

+

o Environmental: Climate, Deforestation, Water, Nature

+

o Social: Human Rights (inc. Child Labour, Forced Labour, Indigenous Rights), Living Wages and Income, Gender Equality, Health and Safety

+

If you have engaged with your suppliers as part of improving Value Chain Visibility and have a sense of whether supply chains are likely to be stable or unstable over the next five years, consider potential changes that could occur and, if possible, incorporate this flexibility into the risk assessment approach.

+

If you are starting from scratch review the IDH focus areas, which will help surface the material sustainability risks. If you need further help, useful resources may include;

+

• Search WRI for environment risks like climate, deforestation, water and nature

+

• Search by commodity at Verite for human rights risks

+

At this stage you are simply understanding the ‘sustainability’ risks the business is exposed to, from the current value chain, due to the current procurement strategy.

","

Environmental Perspective

+

Sustainable Farming Practices: Comprehensive risk assessments help farmers identify and adopt practices that reduce negative impacts across the value chain, such as conserving soil, lowering pesticide use, and enhancing biodiversity.

+

Climate Resilience: By highlighting vulnerabilities to climate change, these assessments support actions that build resilience to extreme weather and strengthen long term environmental sustainability.

+

Income Perspective

+

Access to Premium Markets: Farmers who align with value chain risk assessment findings can access buyers and markets that prioritize sustainable and resilient sourcing, often linked to premium pricing.

+

Cost Savings: Efficiency gains identified through assessments, such as reduced input use or better resource management, can lower costs and improve overall profitability.

+

Risk Perspective

+

Market Viability: Assessments strengthen market viability by ensuring farmer practices align with buyer expectations, regulatory standards, and consumer preferences, reducing the risk of exclusion.

+

Long Term Stability: By addressing environmental, social, and operational risks across the value chain, farmers position themselves for continued access to markets and long term business resilience.

+

Link to Procurement Organizations

+

Procurement partners play a central role by communicating risk and sustainability criteria to farmers and the opportunities in rewarding alignment. Supporting risk assessments and providing guidance ensures that sourcing is consistent with company commitments, while helping farmers strengthen practices that secure market access and supply continuity.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruption: To minimize disruption risks, buyers should strategically diversify their supplier base, balancing sustainability criteria with the need for a resilient and varied supply chain.

+

Increased Costs: Buyers can strategically negotiate with suppliers, emphasizing the importance of cost-effectiveness while encouraging sustainable practices to manage procurement expenses.

+

Limited Supplier Innovation: Buyers can actively engage with smaller suppliers, fostering innovation by providing support and guidance to meet sustainability criteria.

+

Trade-offs

+

Cost vs. Sustainability: Buyers must strategically navigate the trade-off between cost-effectiveness and sustainability, making informed compromises to achieve both financial and environmental goals.

+

Supplier Diversity vs. Sustainability: Balancing sustainability with supplier diversity requires careful consideration, especially in regions or industries where meeting sustainability standards may be challenging.

+

Time-to-Market vs. Sustainability: Buyers need to find a balance between selecting sustainable suppliers and meeting time-to-market goals, ensuring that sustainability efforts do not unduly extend procurement timelines.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers can proactively manage financial strain by seeking collaborative partnerships with buyers, exploring cost-sharing models for sustainable investments.

+

Competitive Disadvantage: Suppliers with lower sustainability scores should focus on improving practices to avoid losing business opportunities, emphasizing the value of sustainable offerings.

+

Compliance Challenges: Suppliers facing compliance challenges should engage with buyers to streamline diverse sustainability standards, ensuring a more manageable and efficient adherence process.

+

Trade-offs

+

Cost vs. Sustainability: Suppliers must strategically balance the trade-off between implementing sustainable practices and managing production costs, seeking innovative and cost-effective solutions.

+

Innovation vs. Compliance: Suppliers can navigate the trade-off by integrating sustainability into their innovation agenda, demonstrating that both innovation and compliance can coexist.

+

Market Access vs. Sustainability: Suppliers targeting international markets must weigh the benefits of market access against the costs of adapting to sustainability requirements, aligning their strategies with evolving global standards.

",

Indirect

,

Indirect

,"1. https://consult.defra.gov.uk/water/rules-for-diffuse-water-pollution-from-agriculture/supporting_documents/New%20basic%20rules%20Consultation%20Impact%20Assessment.pdf
+2. https://www.fao.org/3/Y5136E/y5136e0a.htm
+3. https://www.sciencedirect.com/science/article/pii/S0048969721007506
" +6,Crop rotation and diversification,"

Definition

+

Crop rotation and diversification are core practices considered under regenerative agriculture strategies. These practices involve alternating different crops on the same land over time to improve soil health, reduce pests and diseases, and increase farm resilience.

","

1. Enabling Conditions for Crop Rotation and Diversification in a Procurement Organization:

+

Sustainable Sourcing Policies: Establishment of procurement policies that prioritize products sourced from farms practicing crop rotation and diversification, promoting sustainable agricultural practices.

+

Supplier Collaboration: Collaboration with suppliers committed to crop rotation and diversification, encouraging the adoption of diverse farming methods within the supply chain.

+

Educational Initiatives: Providing training and education for procurement professionals to enhance their understanding of the benefits of crop rotation and diversification and the associated impacts on agricultural sustainability.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers implementing crop rotation and diversification, fostering stability and incentivizing the continued commitment to sustainable practices.

+

2. Enabling Conditions for Crop Rotation and Diversification on a Farm Level:

+

Holistic Farm Planning: Development of comprehensive farm plans that integrate crop rotation and diversification strategies, considering soil health, pest management, and overall sustainability.

+

Crop Rotation Plans: Implementation of systematic crop rotation plans that involve alternating the types of crops grown in specific fields over time to break pest and disease cycles.

+

Cover Crops Integration: Incorporation of cover crops during periods when main crops are not grown to enhance soil fertility, prevent erosion, and provide additional benefits to the ecosystem.

+

Polyculture Practices: Adoption of polyculture practices, including the simultaneous cultivation of multiple crops in the same area, to increase biodiversity and enhance ecological balance.

+

Agroecological Approaches: Integration of agroecological principles that mimic natural ecosystems, promoting resilience, reducing reliance on external inputs, and enhancing overall farm sustainability.

+

Community Engagement: Engagement with local communities, consumers, and agricultural extension services to raise awareness of the importance of crop rotation and diversification for sustainable agriculture.

+

Both at the procurement organization and on the farm level, successful implementation of crop rotation and diversification requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of these principles into the core of farming and procurement strategies.

","

Crop rotation and diversification is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of soil conservation can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers and pesticides

+

• Improve yield through enhanced soil fertility

+

• Minimise pest and disease build-up associated with continuous cropping

+

Implementing this requires a long-term commitment and capability building with suppliers to enable implementation at the farm level. Farmers must understand which crop combinations make the most business sense for sustained income, while buyers need to assess how competitive their crop is within the farm enterprise system. The resource commitment for farmer training must be clearly defined with suppliers and embedded in the Cost of Goods cost model as part of the overall procurement strategy.

","

1. Environmental Perspective:

+

Soil Health: Crop rotation and diversification contribute to improved soil health by preventing nutrient depletion and reducing the risk of soil-borne diseases.

+

Biodiversity Preservation: Diversified farming practices support biodiversity by providing different habitats for various plant and animal species.

+

2. Income Perspective:

+

Risk Mitigation: Farmers adopting crop rotation and diversification reduce the risk of crop failure due to pests or diseases affecting a single crop. This can lead to more stable and predictable incomes.

+

Market Access: Diversification allows farmers to access a broader range of markets, catering to diverse consumer preferences and potentially increasing sales and income.

+

3. Risk Perspective:

+

Reduced Input Costs: Crop rotation and diversification can lead to reduced input costs as they minimize the need for external inputs like pesticides and fertilizers.

+

Adaptation to Climate Change: Diversified crops provide resilience to changing climate conditions, allowing farmers to adapt and continue generating income even in the face of climate-related challenges.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are essential in providing access to markets and resources. By supporting and incentivizing the adoption of crop rotation and diversification, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Fluctuations: Buyers must address potential variability in crop yields due to crop rotation and diversification, implementing strategies to manage and predict supply chain fluctuations.

+

Higher Initial Costs: Buyers need to manage higher initial production costs resulting from diverse farming methods, ensuring procurement decisions align with budget constraints and efficiency goals.

+

Transition Period Challenges: Buyers should be aware of challenges suppliers may face during the transition to crop rotation and diversification, taking measures to minimize potential impacts on product availability and consistency.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance the higher costs of diverse farming methods against the desire to support environmentally sustainable and resilient agricultural practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Variety: Striking a balance between ensuring a consistent supply of products and offering a variety of goods requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and diversity.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting crop rotation and diversification may face initial financial strain, requiring strategic resource allocation to mitigate the impact on competitiveness.

+

Transition Period Challenges: Suppliers transitioning to diverse farming methods must address challenges in adapting to new methods, implementing measures to maintain productivity during the transition.

+

Market Access Challenges: Suppliers without the means to adopt diverse farming practices may struggle with accessing markets that prioritize sustainability and diversification, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers must weigh the costs and challenges of transitioning to crop rotation and diversification against the potential market access and premium prices associated with sustainable and diversified products, ensuring a sound investment in diversified farming.

+

Innovation vs. Tradition: Allocating resources to adopt diverse farming methods involves trade-offs with traditional methods, necessitating suppliers to find a harmonious integration that maintains productivity.

+

Crop Yield vs. Sustainability: Balancing the desire for higher crop yields with the commitment to crop rotation and diversification may require trade-offs, with suppliers finding optimal solutions that align with environmental goals.

",

Direct

,

Direct

,"1. https://www.tandfonline.com/doi/abs/10.1300/J064v28n04_04
+

2.https://www.foeeurope.org/sites/default/files/briefing_crop_rotation_june2012.pdf3. https://twin-cities.umn.edu/news-events/diversifying-crop-rotations-improves-environmental-outcomes-while-keeping-farms

+4. https://www.hindawi.com/journals/aag/2021/8924087/
+5. https://www.mdpi.com/2073-4395/12/2/436
+6. https://www.frontiersin.org/articles/10.3389/fagro.2021.698968/full
" +7,Data: Procurement KPIs that go beyond tracking just spend,"

Definition

+

Creating sustainability KPIs to be implemented within procurement. These KPIs can help to track the impact of actions implemented through a sustainable sourcing strategy, and progress towards business and procurement sustainability commitments and targets.

","

To effectively implement Data Management in a Procurement Data Analytics context, a procurement organization should establish a comprehensive data governance framework, implement robust data security measures and privacy compliance, form clear collaboration agreements with suppliers/farmers, promote cross-functional collaboration, ensure high data quality standards, prioritize interoperable systems and integration capabilities, develop a scalable infrastructure, conduct regular audits for compliance, and invest in training programs for procurement professionals, creating a foundation for secure, collaborative, and strategic data use throughout the procurement value chain.

","

Once the strategic choices have been identified, take the time to identify KPIs that will enable tracking of progress and impact through implementation of the strategic choices. Aim to create as few KPIs as possible to give you the understanding you need while being realistic about data collection capabilities. There are a few levels that you could consider implementing KPIs at:

+

• Individual supplier/project level: Track progress of specific activities

+

• Category level: Track progress across a full category of interest e.g. tracking deforestation across the cocoa sourcing category

+

• Cross-category level: Tracking progress holistically across multiple categories

+

Aim to create KPIs that are a mix of:

+

• Leading KPIs: Activities that build towards positive impacts e.g. number of suppliers trained, or number of gender dis-aggregated farmers trained

+

• Lagging KPIs: Actual outcome measures that the procurement strategy will deliver e.g. % carbon mitigation, % farmers making living income

+

Ensure these KPIs are part of the procurement strategy tracking and implementation in combination with the usual procurement KPIs e.g. savings, inflation, OTIF. Consider including the sustainability KPIs in supplier scorecards and quarterly supplier business reviews.

","

Income Perspective

+

Market Access and Fair Pricing: Using data to report on quality, sustainability, and compliance allows farmers to meet evolving procurement KPIs, improving market access and supporting fairer pricing. Greater transparency can strengthen trust with buyers and contribute to higher income.

+

Efficient Resource Utilization: Data-driven insights enable farmers to allocate resources more effectively, lowering costs and improving profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Data on soil health, water use, and chemical applications helps farmers identify opportunities to adopt practices that reduce environmental impact while meeting buyer expectations.

+

Resource Conservation: Tracking KPIs beyond spend encourages efficient use of inputs such as water and fertilizer, leading to lower waste and a more sustainable production system.

","

1. Buyer Perspective

+

Risks

+

Data Security Concerns: Inadequate data security measures may lead to breaches, compromising sensitive procurement information and exposing the buyer to potential legal and financial consequences.

+

Increased Costs of Implementation: Implementing robust data management practices may entail significant upfront costs, impacting the buyer's budget and potentially leading to budget overruns.

+

Supplier Collaboration Challenges: Suppliers may face difficulties in adapting to collaborative data sharing, potentially affecting the buyer-supplier relationship and hindering information flow.

+

Trade-offs

+

Data Security vs. Accessibility: Buyers may face the trade-off between ensuring robust data security measures and providing easy accessibility to relevant stakeholders. Striking the right balance involves safeguarding sensitive information while facilitating necessary access.

+

Customization vs. Standardization: Buyers implementing data management systems may need to balance customization for specific needs and standardization for efficiency. The challenge is to tailor data solutions while maintaining standardized processes.

+

Cost of Technology vs. ROI: Buyers investing in data management technologies may face the trade-off between the initial cost of technology adoption and the expected return on investment (ROI). The challenge is to manage costs while realizing long-term benefits.

+

Data Analytics vs. Privacy Compliance: Buyers utilizing data analytics for insights must balance this with compliance with privacy regulations. Striking the right balance involves leveraging data analytics for informed decision-making while protecting individual privacy.

+

2. Supplier Perspective

+

Risks

+

Increased Reporting Burden: Suppliers may experience an increased reporting burden, potentially impacting operational efficiency and leading to resistance in adopting new data management practices.

+

Technology Adoption Challenges: Suppliers may struggle to adopt and integrate new technologies for data sharing, resulting in potential disruptions to their operations and compliance challenges.

+

Data Security Risks: Suppliers may face risks related to data security, especially if the buyer's data management practices do not meet industry standards, potentially exposing the supplier to cyber threats.

+

Trade-offs

+

Data Transparency vs. Confidentiality: Suppliers providing data may face the trade-off between transparency and confidentiality. The challenge is to share necessary information while protecting proprietary and confidential business details.

+

Resource Allocation vs. Data Requirements: Suppliers may need to allocate resources for meeting buyer data requirements, and this must be balanced against other operational needs. The trade-off involves optimizing resource allocation for both data compliance and overall efficiency.

+

Technology Adoption vs. Operational Impact: Suppliers adopting new technologies for data management may need to balance this with the potential impact on day-to-day operations. The challenge is to adopt efficient data management tools without disrupting regular business processes.

+

Data Quality vs. Timeliness: Suppliers must balance providing high-quality data with the need for timely delivery. Striking the right balance involves ensuring data accuracy while meeting the required timelines set by buyers.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

" +8,Direct & Indirect Pre-Finance,"

Definition

+

Pre-financing options can support key strategic choices and help to catalyse sustainable sourcing initiatives. Typically used to help those upstream, who are implementing sustainable practices, access sufficient finance needed to start these actions. Direct pre-finance goes directly to the actor implementing the changes, e.g. direct to the farmer, while indirect pre-finance may go towards bank guarantees, development funds or NGOs that then support actors.

","

To implement direct and indirect finance interventions effectively in a procurement organization, it is crucial to have well-defined procurement objectives aligned with comprehensive financial planning, utilize advanced financial systems, ensure robust budgeting processes, establish a comprehensive risk management framework, maintain strong supplier relationship management practices, understand and adhere to financial regulations, implement stringent data security measures, continuously monitor performance using key indicators, and foster collaboration between procurement and finance teams.

","

Direct and Indirect Pre-Financing is an action for implementation that could emerge from many of the strategic choices selected, as it is about supporting capability building in the upstream supply chain. Choices it is most likely to be linked to include Mutual Supplier-Based Incentives, Upstream Supplier Tier Reduction, Supplier Capability Building, and Long-term Contracts.

+

If cash flow is limited and investment is needed in upstream supply chain actors, pre-financing may be required to enable action. Implementing such practices may be particularly important where, as a buyer, you have identified strategic priorities and risks to be managed that must be done by upstream actors and need resource from your business to enable initial investments and actions to be made.

+

As a buyer, you must understand the cash flow of upstream supply chain actors and how implementing new sustainable practices might impact this. To ensure these actors have the capability to implement these initiatives, the buyer may need to consider different approaches to financing to ensure upstream actors have healthy cash flows.

+

Examples of direct pre-financing:

+

• Advanced payments: Paying suppliers, farmers, or cooperatives a proportion of the cost of goods in advance to cover costs

+

• Providing inputs: Buying inputs needed, e.g. seeds, fertilizers, technology, to initiate actions that are then deducted from end costs

+

Examples of indirect pre-financing:

+

• Bank guarantees: Acting as a guarantor to a local bank, allowing farmers to access loans and reducing risk for the bank

+

• Partnerships with NGOs or development agencies: Collaboration and support for organisations that help farmers access financing and resources they need

","

1. Income Perspective

+

Farmers often face cash flow challenges due to seasonal variations and market uncertainties. Direct and indirect finance interventions can provide farmers with the necessary capital to invest in their operations, purchase seeds and equipment, and withstand economic fluctuations.

+

Improved access to finance allows farmers to make timely investments, leading to increased productivity, higher yields, and ultimately, improved income. It also provides a financial safety net during periods of low agricultural income.

+

2. Environment Perspective

+

Sustainable farming practices are essential for environmental conservation. Finance interventions can support farmers in adopting environmentally friendly technologies, implementing conservation practices, and transitioning to more sustainable agricultural methods.

+

Access to financing for sustainable practices, such as precision farming, organic farming, or water conservation, can contribute to soil health, biodiversity, and reduced environmental impact. It aligns with the global push for sustainable agriculture.

","

1. Buyer Perspective:

+

Cost of Capital:

+

Risk: Depending on the financial arrangements, the cost of obtaining capital through finance interventions may pose a risk. High-interest rates or fees could increase the overall cost of procurement for the buyer.

+

Tradeoff: The tradeoff involves finding a balance between securing necessary funding and managing the associated costs to ensure competitiveness and profitability.

+

Trade-offs

+

Cost of Finance vs. Procurement Efficiency: Buyers may face the trade-off between managing the cost of finance and optimizing procurement efficiency. Striking the right balance involves securing favorable financial terms without compromising the speed and effectiveness of procurement processes.

+

Risk Mitigation vs. Supplier Relationships: Buyers utilizing finance interventions for risk mitigation may need to balance this with the desire to maintain strong, collaborative relationships with suppliers. The challenge is to manage risks while fostering positive supplier partnerships.

+

Customization of Financial Solutions vs. Standardization: Buyers may seek customized financial solutions for different procurement scenarios but must balance this with the benefits of standardization for consistency. The trade-off involves tailoring financial approaches while maintaining standardized processes.

+

Long-Term Financial Planning vs. Short-Term Goals: Buyers must decide between focusing on long-term financial planning for sustainable procurement practices and addressing short-term procurement goals. Striking the right balance involves aligning financial strategies with both immediate needs and long-term sustainability.

+

2. Supplier Perspective

+

Access to Finance:

+

Risk: Suppliers may face challenges in accessing finance if they do not meet the buyer's financial criteria or if the financing process is complex.

+

Tradeoff: Tradeoffs involve meeting financial requirements while maintaining independence and ensuring that financial arrangements are supportive rather than restrictive.

+

Cost of Compliance:

+

Risk: Complying with the financial and contractual requirements set by the buyer may result in additional costs for suppliers.

+

Tradeoff: Suppliers need to evaluate the tradeoff between securing business from a particular buyer and the associated compliance costs. Negotiating fair terms is crucial.

+

Trade-offs

+

Cost of Finance vs. Profitability: Suppliers may face the trade-off between managing the cost of finance and maximizing profitability. The challenge is to secure financing options that contribute to financial stability without significantly impacting profit margins.

+

Cash Flow vs. Financing Terms: Suppliers may prioritize maintaining healthy cash flow but must balance this with the financing terms offered by buyers. The trade-off involves managing cash flow while accommodating the financial terms set by buyers.

+

Risk Management vs. Independence: Suppliers utilizing finance for risk management may need to balance this with the desire for financial independence. The challenge is to mitigate risks while preserving autonomy in financial decision-making.

+

Long-Term Financial Partnerships vs. Diversification: Suppliers may desire long-term financial partnerships with buyers, but this could conflict with the need for financial diversification. Striking the right balance involves pursuing stable financial relationships while diversifying funding sources.

",

Direct

,

Direct

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

" +9,Direct Farmer Contracting,"

Definition

+

Establish direct farmer contracting programs where they offer the fastest, most cost-effective way to implement sustainability strategies and manage risk, bypassing multiple supply chain tiers.

","

To effectively implement Direct Farmer Contracting Programs, a procurement organization must establish transparent communication channels, ensure legal compliance, conduct educational initiatives for farmers, integrate technology for monitoring, develop risk management strategies, establish fair pricing mechanisms, define quality standards, provide capacity-building for farmers, offer flexible contract terms, and collaborate with agricultural experts, fostering fair, transparent, and sustainable relationships in the agricultural supply chain.

","

When is this a strategic choice?

+

When the spend category is business critical and the value chain visibility analysis surfaces value chain actors who are adding cost (e.g. middle men, traders) and/or developing a greenfield site as a buyer. Depending on the outcome of the internal and external analysis, this may be the most competitive cost approach to secure supply and engage directly with farmers to mitigate identified risks.

+

What it means:

+

This is linked to other strategic choices such as Reducing Upstream Supply Tiers and Supplier Capability Building.

+

This will require resource either directly from a buyer’s business or to support identifying an implementation partner for a farmer.

+

• Direct resource could include providing direct funding through procurement-driven sustainability investments, providing technical know-how, or supporting the farmer to build professional skills such as business planning and accessing finance.

+

• Implementation partners could include, for example, identifying in-country partners to work directly with smallholder farmers to coordinate smallholder crop production improvement activities.

","

1. Income Perspective

+

Direct contracting often provides farmers with guaranteed prices, reducing uncertainties and ensuring more stable income. Also, establishing direct relationships with businesses opens up opportunities for capacity building and development, contributing to increased productivity and income.

+

2. Environment Perspective

+

Direct Farmer Contracting programs can promote sustainability as companies can enforce their environmental standards directly with the farmers, encouraging and ensuring sustainable farming practices are in place.

","

1. Buyer Perspective

+

Risks

+

Supply Variability: Direct contracts with individual farmers may expose buyers to supply variability influenced by weather conditions and other uncontrollable factors.

+

Dependency on Localized Sources: Relying on local farmers may lead to limited geographic diversity, posing risks in the event of local disruptions.

+

Contract Non-Compliance: Farmers may face challenges in meeting contract terms, leading to potential disruptions in the supply chain.

+

Trade-offs

+

Supply Chain Control vs. Farmer Independence: Buyers may face the trade-off between maintaining strict control over the supply chain through direct farmer contracting and allowing farmers greater independence. Deciding on the right balance involves assessing the level of control needed versus empowering farmers.

+

Quality Assurance vs. Cost Competitiveness: Buyers must balance the assurance of product quality through direct contracts with the need for cost competitiveness. Striking the right balance involves ensuring quality while remaining economically competitive in the market.

+

Risk Sharing vs. Farmer Viability: Buyers may opt for risk-sharing arrangements with farmers to manage uncertainties, but this must be balanced against ensuring the financial viability of individual farmers. Deciding on the level of risk sharing involves considering the economic sustainability of farmers.

+

Sustainability Goals vs. Operational Efficiency: Buyers may prioritize sustainability goals in direct farmer contracting programs, but this could impact operational efficiency. Balancing sustainability objectives with the need for streamlined operations is crucial.

+

2. Supplier Perspective

+

Risks

+

Price Volatility: Farmers may face risks associated with price volatility in agricultural markets, impacting their income.

+

Market Access Challenges: Dependence on a single buyer may limit farmers' access to other markets, reducing their bargaining power.

+

Input Cost Fluctuations: Fluctuations in input costs may affect farmers' profitability, especially if contracts do not account for these variations.

+

Trade-offs

+

Stable Income vs. Market Diversification: Farmers may face the trade-off between securing stable income through direct contracts and diversifying their market exposure. Striking the right balance involves managing income stability while avoiding over-reliance on a single buyer.

+

Access to Resources vs. Autonomy: Farmers must decide on the trade-off between accessing resources provided by buyers in direct contracts and maintaining autonomy in their farming practices. Balancing resource support with the desire for independence is essential.

+

Risk Reduction vs. Profit Potential: Farmers may opt for direct contracts to reduce production and market risks, but this may come with limitations on profit potential. Deciding on the right balance involves assessing risk tolerance and profit expectations.

+

Long-Term Stability vs. Flexibility: Farmers may seek long-term stability through direct contracts, but this could limit their flexibility to adapt to changing market conditions. Finding the right balance involves considering the benefits of stability against the need for adaptability.

",

Direct

,

Indirect

,"

IDH Interview Sessions

+

Nespresso Example, Norwegian & Pakstanian Rice producer

" +10,Fair Pricing and Flexible Payment Terms,"

Definition

+

Use fair pricing, milestone payments, partial prepayments, or shorter payment cycles to support direct farmer contracting, supplier capability building, and other strategic relationship models.

","

To effectively implement Fair Pricing Negotiation Practices, a procurement organization should conduct thorough market research, maintain transparent cost structures, establish fair and ethical sourcing policies, provide negotiation skills training, utilize data analytics for price trends, implement Supplier Relationship Management practices, ensure legal and regulatory compliance, encourage cross-functional collaboration, define clear contractual terms, establish performance metrics and monitoring mechanisms, and promote supplier diversity and inclusion, fostering a transparent, ethical, and collaborative approach to pricing negotiations.

","

Being cognisant of cash flows and investment needs of upstream supply chain actors may require implementation of fair pricing and flexible payment terms. Implementing such practices may be particularly important where, as a buyer, you have identified strategic priorities and risks to be managed that must be done by upstream actors and need resource from your business to enable initial investments and actions to be made.

+

As a buyer, you must understand the cash flow of upstream supply chain actors and how implementing new sustainable practices might impact this. To ensure these actors have the capability to implement these initiatives, the buyer may need to consider different approaches to financing to ensure upstream actors have healthy cash flows.

+

Similarly, even if not asking upstream suppliers to implement new practices, as a buyer you should be conscious of whether your current payment terms are inhibiting healthy cash flow for upstream suppliers. This could be creating risk in itself by limiting supplier and farmer ability to implement their own improvements.

","

Income Perspective

+

Fair, transparent pricing linked to quality and sustainability premia lifts farm income and rewards good practice. Shorter payment periods and milestone or partial payments smooth cash flow, improve planning, and reduce reliance on expensive credit. Pre finance for inputs enables timely purchase of seed, fertilizer, and services, supporting higher yields and more reliable revenue.

+

Environmental Perspective

+

Stable cash flow and input pre finance make it feasible to invest in soil health, efficient water use, and low impact pest management. When premia are tied to verified outcomes, farmers are paid for reduced inputs and positive environmental results, reinforcing adoption over time.

+

Risk Perspective

+

Predictable payments and advances cut cash flow gaps that lead to distress sales or under application of inputs. Transparent price formulas and floors reduce exposure to market swings. Timely working capital lowers the risk of missing planting windows and supports recovery after weather shocks.

+

Link to Procurement Organizations

+

Procurement partners must be clear on how they are ensuring a healthy cash flow for farmers, with little bureaucracy. Buyers can operationalize this through clear pricing formulas, documented premia for verified practices, prompt payment targets, and payment schedules aligned to the crop calendar. Offering pre finance or input on account, with fair deductions at delivery, plus simple dispute resolution, builds trust and supply continuity while advancing climate and nature goals.

","

1. Buyer Perspective

+

Risks

+

Higher Costs: Strict adherence to fair pricing practices may lead to higher procurement costs for buyers.

+

Supplier Resistance: Suppliers might resist fair pricing negotiations, potentially impacting the buyer's ability to secure competitive rates.

+

Market Competition: Intense market competition may limit the effectiveness of fair pricing negotiations, particularly in situations with a limited supplier pool.

+

Trade-offs

+

Cost Savings vs. Fairness: Buyers may face the trade-off between pursuing cost savings through rigorous negotiations and ensuring fairness in pricing for suppliers. Striking the right balance involves negotiating for favorable terms while respecting fair pricing practices.

+

Competitive Bidding vs. Relationship Building: Buyers must decide between competitive bidding processes that focus on price and relationship-building approaches that consider fairness. The trade-off involves balancing the pursuit of cost-effective solutions with the desire to foster long-term relationships with suppliers.

+

Market Competition vs. Supplier Relationships: Buyers navigating fair pricing negotiations may find that intense market competition limits the effectiveness of such negotiations, particularly in situations with a limited supplier pool. The trade-off involves managing market dynamics while maintaining strong supplier relationships.

+

Timeliness vs. Thorough Negotiation: Buyers may need to balance the desire for timely negotiations with a thorough examination of pricing terms. Striking the right balance involves efficient negotiation processes without compromising the depth of the evaluation.

+

2. Supplier Perspective

+

Risks

+

Reduced Profit Margins: Accepting fair pricing may result in reduced profit margins for suppliers.

+

Loss of Competitive Edge: Strict adherence to fair pricing may limit a supplier's ability to offer lower prices compared to competitors.

+

Financial Strain: If fair pricing practices are not universally adopted, suppliers might face financial strain compared to those not adhering to fair pricing.

+

Trade-offs

+

Profitability vs. Fairness: Suppliers face the trade-off between maximizing profitability and adhering to fair and transparent pricing practices. Balancing the desire for profit with a commitment to fair pricing contributes to sustainable and ethical business practices.

+

Stability vs. Cost Competitiveness: Suppliers may weigh the benefits of stable, long-term relationships with buyers against the need to remain cost-competitive in the market. The trade-off involves maintaining stability while ensuring competitiveness in pricing.

+

Relationship Building vs. Market Exposure: Suppliers may need to balance building strong relationships with buyers against the desire for exposure to a broader market. The trade-off involves fostering collaboration with key buyers while exploring opportunities in the wider marketplace.

+

Innovation vs. Budget Constraints: Suppliers may desire to innovate in their offerings, but budget constraints imposed by fair pricing negotiations can limit these initiatives. Striking a balance involves finding innovative solutions within the constraints of negotiated pricing terms.

",

Direct

,

Indirect

,"

EY Based Interviews

+

https://www.fairtrade.net/news/realistic-and-fair-prices-for-coffee-farmers-are-a-non-negotiable-for-the-future-of-coffee

+

https://files.fairtrade.net/standards/2011-05-10_List_of_Ideas_FDP_SPO_EN_final.pdf

+

https://www.iisd.org/system/files/2023-01/2023-global-market-report-cotton.pdf

" +11,Fair Trade or Organic Certification,"

Definition

+

Apply relevant certifications where corporate or brand-level commitments exist or where certifications have been identified as strategic levers to achieving goals.

","

1. Enabling Conditions for Fair Trade Certifications in a Procurement Organization:

+

Sustainable Procurement Policies: Development of procurement policies that prioritize fair trade certifications, emphasizing the inclusion of products from suppliers adhering to ethical labor practices, fair wages, and environmentally sustainable production.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of fair trade principles and certifications, promoting awareness and commitment to ethical sourcing.

+

Supplier Collaboration: Collaboration with suppliers committed to fair trade practices, fostering partnerships, and incentivizing the adoption of socially responsible and sustainable farming methods within the supply chain.

+

Commitment of the procurement organization: Utilization or establishment of recognized fair trade certification standards, ensuring authenticity and compliance in the procurement process, and supporting transparency in supply chain practices.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers holding fair trade certifications, promoting stability and incentivizing continued commitment to fair and ethical trading practices.

+

2. Enabling Conditions for Fair Trade Certifications on a Farm Level:

+

Fair Labor Practices: Implementation of fair labor practices, including fair wages, safe working conditions, and protection of workers' rights, contributing to social sustainability and fair trade certification eligibility.

+

Environmental Sustainability: Adoption of environmentally sustainable farming methods, such as organic farming or agroecological practices, to align with fair trade certification requirements that emphasize environmental responsibility.

+

Community Engagement: Active engagement with local communities, ensuring their participation and benefit from fair trade practices, promoting social inclusivity and responsible business conduct.

+

Transparent Supply Chains: Implementation of transparent supply chain practices, including traceability and documentation, to facilitate fair trade certification processes and demonstrate adherence to ethical standards.

+

Technical Support: Access to technical support and extension services to assist farmers in meeting fair trade certification requirements, optimizing their ability to comply with the necessary standards.

+

Successful implementation of fair trade certifications requires a commitment to ethical practices, collaboration, ongoing education, and the integration of fair trade principles into the core of farming and procurement strategies.

","

Fair Trade or Organic Certification is most likely to emerge as an action for implementation through selection of Selecting a Sustainability Certification as a strategic choice.

+

These certifications can provide assurance that the supply chains involved are mitigating certain risks and negative impacts, e.g. ensuring living incomes are met for farmer and avoiding environmental damage through excessive use of agrochemicals. If these have been identified as significant risks in the value chain, certification can be a strategic lever to minimising these risks in your supply chain.

+

This will mean an increase in cost of goods for the certification premium. It may also impact availability of the product, both volume and possible sourcing locations. For some commodities, sufficient certified volumes may be readily available. For others, this may require working with suppliers and upstream farmers to build certified volume, increasing costs even further. These impacts on costs should have been accounted for during the strategic choice selection process.

","

Environmental Perspective

+

Both certifications encourage practices that build soil health, conserve biodiversity, and reduce chemical use. This improves ecosystem resilience, lowers pollution, and supports long term farm productivity.

+

Income Perspective

+

Certification can secure premium or minimum prices, providing farmers with higher and more predictable income. Reduced dependence on synthetic inputs in organic systems can lower costs over time, while Fairtrade often channels funds into community development that creates additional livelihood opportunities.

+

Risk Perspective

+

Price floors and premium markets reduce exposure to volatile commodity prices and create stable income streams. Organic production reduces environmental risks such as soil degradation and water contamination, while Fairtrade networks strengthen social resilience and provide support during market or climate shocks.

+

Link to Procurement Organizations

+

Procurement partners must be clear within their business that this is a strategic choice for the long term. By recognizing and rewarding certified products, procurement organizations open access to differentiated markets and signal long term demand for sustainable production. Incentives, technical support, and clear sourcing commitments help farmers maintain certification, aligning farm level practices with company goals on ethical, sustainable supply.

","

1. Buyer Perspective:

+

Risks

+

Higher Costs: Buyers must evaluate the potential impact on the procurement budget due to the higher production costs associated with fair trade products.

+

Supply Chain Complexity: Buyers need to anticipate and manage complexities introduced into the supply chain by fair trade certifications to ensure logistics efficiency.

+

Market Competition: Buyers may encounter challenges in markets where consumers prioritize lower prices, potentially affecting the competitiveness of fair trade products.

+

Trade-offs

+

Cost vs. Ethical Sourcing: Buyers must make decisions that balance the potential cost implications of fair trade products with the desire to support ethical labor practices, fair wages, and environmentally sustainable production methods.

+

Consistency vs. Diversity: Achieving a balance between a consistent supply from traditional sources and the diverse range of fair trade products requires strategic decision-making in procurement offerings.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adhering to fair trade certifications need to address potential financial strain resulting from higher production costs.

+

Certification Costs: Suppliers must manage additional administrative and certification-related costs associated with obtaining and maintaining fair trade certifications.

+

Market Access Challenges: Suppliers may face difficulties accessing markets that prioritize lower-priced products over fair trade certifications.

+

Trade-offs

+

Cost vs. Market Access: Suppliers should carefully weigh the costs and challenges of fair trade certifications against potential market access and premium prices associated with ethical and sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adhere to fair trade certifications may divert attention and resources from traditional production methods, requiring suppliers to find a balanced approach.

+

Short-Term Costs vs. Long-Term Benefits: Suppliers need to balance the short-term financial implications of fair trade certifications with the potential long-term benefits in terms of brand reputation, market access, and social responsibility.

",

Direct

,

Direct

,"1. https://www.rainforest-alliance.org/for-business/2020-certification-program/
" +12,Group Certification Programs,"

Definition

+

Group certification programmes allow a number of small-scale farmers to become certified together, with a single certificate covering the group rather than individual farmers. All farmers in the group must adhere to the same set of controls to ensure compliance with the certification’s standards. Using group certification reduces costs for the individual famer making certification more accessible.

","

Enabling conditions and prerequisites in a procurement organization to effectively and successfully implement Sustainable Agricultural Certification Premiums include:

+

1. Clear Sustainability Criteria

+

Prerequisite: Establish clear and well-defined sustainability criteria aligned with recognized agricultural certifications.

+

2. Engagement with Certification Bodies:

+

Prerequisite: Collaborate with reputable agricultural certification bodies to align premium criteria with industry-recognized standards.

+

3. Supplier Education and Training:

+

Prerequisite: Provide education and training programs for suppliers on sustainable agricultural practices and certification requirements.

+

4. Transparent Premium Structure:

+

Prerequisite: Design a transparent premium structure outlining the criteria for receiving sustainable agricultural certification premiums.

+

5. Monitoring and Verification Systems:

+

Prerequisite: Implement robust systems for monitoring and verifying supplier adherence to sustainability criteria.

+

6. Financial Capacity:

+

Prerequisite: Ensure financial capacity within the organization to fund sustainable agricultural certification premiums.

+

7. Legal and Ethical Compliance:

+

Prerequisite: Ensure compliance with legal and ethical standards in premium structures and supplier engagement.

+

8. Promotion of Certification Benefits:

+

Prerequisite: Actively promote the benefits of sustainable certifications and associated premiums to suppliers.

+

9. Stakeholder Collaboration:

+

Prerequisite: Collaborate with stakeholders such as farmers, certification bodies, and industry groups to build support for sustainable agriculture.

","

Group Certification Programmes is most likely to emerge as an action for implementation through selection of Selecting a Sustainability Certification as a strategic choice.

+

Implementing a group certification programme may be necessary if sustainability certification has been identified as a strategic choice, but sufficient supplies of certified commodities are not readily available in your current, and future, supply chain. Group certification programmes can be a cost efficient way to create a supply of certified commodities by allowing small-scale farmers and producers to obtain certification with lower costs required individually.

+

The buyer and supplier should assess the opportunities for group certification programmes, the expected up-front investment cost and the expected cost avoidance and risk mitigation opportunities that come from its implementation. Such investments should be captured in the Cost of Goods model.

","

1. Income Perspective

+

Group certification can open up access to premium markets, leading to higher sales and income for farmers. Reduced individual costs of certification mean more funds are available for other operational investments, potentially increasing productivity and income.

+

2. Environment Perspective

+

Group certification programs often require farmers to adopt sustainable practices to meet certification standards. This encourages environmentally-friendly farming, which can lead to better environmental outcomes in the farming community.

","

1. Buyer Perspective

+

Risks

+

Complex Coordination: Coordinating multiple suppliers for a group certification program may introduce complexity in logistics and communication.

+

Dependence on Group Compliance: Relying on group compliance may pose a risk if individual suppliers fail to maintain the required standards, impacting overall certification.

+

Challenges in Group Alignment: Achieving alignment among diverse suppliers in terms of practices and commitment to certification may be challenging.

+

Trade-offs

+

Cost Efficiency vs. Customization: Buyers may face the trade-off between achieving cost efficiency through group certification programs and providing customization to individual suppliers. Striking the right balance involves optimizing group benefits without compromising the unique needs of each supplier.

+

Risk Mitigation vs. Supplier Independence: Buyers using group certification programs may seek risk mitigation through standardized processes, but this could affect the independence of individual suppliers. The trade-off involves managing risks while preserving the autonomy of suppliers.

+

Supplier Collaboration vs. Competitive Edge: Buyers promoting collaboration among suppliers through group certification programs may need to balance this with the potential loss of a competitive edge for individual suppliers. The challenge is to foster collaboration while maintaining a competitive marketplace.

+

Long-Term Sustainability vs. Short-Term Goals: Buyers must decide between pursuing long-term sustainability objectives through group certification and achieving short-term procurement goals. Striking the right balance involves aligning group efforts with broader sustainability goals.

+

2. Supplier Perspective

+

Risks

+

Loss of Autonomy: Suppliers may feel a loss of autonomy in adhering to group certification requirements, potentially affecting their individual brand image.

+

Free-Rider Phenomenon: Some suppliers within the group may benefit from certification without actively contributing to sustainable practices, creating a ""free-rider"" scenario.

+

Complexity in Adherence: Adhering to group certification standards may be challenging for suppliers with diverse operations and practices.

+

Trade-offs

+

Group Benefits vs. Individual Recognition: Suppliers may face the trade-off between benefiting from group certification programs and seeking individual recognition for their sustainability efforts. The challenge is to leverage group benefits while showcasing unique contributions.

+

Compliance Costs vs. Group Support: Suppliers may incur compliance costs for group certification, but this must be balanced against the support and resources provided by the group. The trade-off involves managing costs while leveraging the collective strength of the group.

+

Market Access vs. Autonomy: Suppliers participating in group certification programs may gain enhanced market access, but this could impact their autonomy in decision-making. The challenge involves accessing markets collaboratively while preserving individual business strategies.

+

Resource Allocation vs. Certification Standards: Suppliers may need to allocate resources effectively to meet group certification standards, but this must be balanced against the potential impacts on overall resource allocation. The trade-off involves optimizing resources for both group compliance and individual operational efficiency.

",

Indirect

,

Indirect

,

How Much Does Rainforest Alliance Certification Cost? | Rainforest Alliance (rainforest-alliance.org)

+13,Integrated Pest Management (IPM),

Definition: Integrated Pest Management is an approach to the management of pests on farms in an ecologically sensitive way. The approach combines knowledge of pest lifecycles and natural pest control from beneficial predator insects or disease resistant crops. Synthetic pesticides are only used when required.

,"

1. Enabling conditions in a Procurement Organization:

+

Clear Policies and Guidelines: Establishing comprehensive policies and guidelines that prioritize the adoption of IPM practices in the procurement of agricultural products.

+

Supplier Collaboration: Collaborating with suppliers to ensure their adherence to IPM principles, promoting sustainable and environmentally friendly pest control methods.

+

Education and Training: Providing education and training programs for procurement staff to enhance awareness and understanding of IPM practices.

+

Monitoring and Auditing: Implementing regular monitoring and auditing processes to assess supplier compliance with IPM principles and identify areas for improvement.

+

Incentives for Sustainable Practices: Offering incentives or rewards for suppliers who demonstrate effective implementation of IPM and sustainable pest management practices.

+

2. Enabling conditions on the farm level:

+

Integrated Pest Management Plan: Developing and implementing a comprehensive IPM plan tailored to the specific characteristics and challenges of the farm.

+

Crop Rotation and Diversity: Incorporating crop rotation and diverse plantings to disrupt pest cycles and create less favorable conditions for pests.

+

Biological Control: Utilizing natural predators, parasites, or pathogens to control pest populations and reduce reliance on chemical pesticides.

+

Monitoring Systems: Establishing regular monitoring systems to detect pest populations early and assess the effectiveness of control measures.

+

Community Engagement: Engaging with the local community, neighboring farms, and agricultural extension services to share knowledge and collectively address pest management challenges.

+

Continuous Improvement: Emphasizing a commitment to continuous improvement by regularly reviewing and updating IPM strategies based on monitoring results and emerging pest threats.

+

Both in a procurement organization and on a farm, a holistic and collaborative approach that integrates sustainable and environmentally friendly pest management practices is key to successful implementation of Integrated Pest Management.

","

Integrated pest management is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of integrate pest management can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs

+

• Improve yield and minimise disruption of supply due to pests

+

• Allow better yields for longer on the same land through avoiding environmental damage to soil and the wider ecosystem through excessive application of synthetic agrochemicals

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, directly with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

","

1. Environmental Perspective:

+

Biodiversity Preservation: IPM emphasizes the use of diverse and ecologically sustainable pest control methods, promoting biodiversity by avoiding the negative impact of broad-spectrum pesticides on non-target species.

+

Soil and Water Conservation: Reduced reliance on chemical pesticides in IPM practices contributes to the conservation of soil quality and water resources, supporting environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: While implementing IPM practices may require initial investment in training and monitoring, farmers can achieve long-term cost savings by reducing expenses on chemical inputs and potentially benefiting from government incentives for sustainable practices.

+

Access to Premium Markets: Farmers adopting IPM may gain access to premium markets that prioritize products produced using environmentally friendly and ecologically sustainable pest control methods, contributing to increased income.

+

3. Risk Perspective:

+

Reduced Dependency on Chemicals: IPM reduces the risk of developing pesticide-resistant pests, addressing a significant challenge in conventional agriculture. This enhances the long-term effectiveness of pest control strategies for farmers.

+

Health and Safety: IPM minimizes the health and safety risks associated with the handling and exposure to chemical pesticides, creating a safer working environment for farmers.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to inputs and resources. By supporting and incentivizing the adoption of IPM practices, procurement organizations contribute to the sustainable farming practices of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Potential Supply Chain Disruptions: Buyers must carefully manage the implementation of IPM to avoid disruptions in the availability of agricultural products, ensuring a stable and reliable supply chain.

+

Higher Costs: Buyers need to strategically navigate higher production costs from IPM practices, balancing sustainability goals with efficient procurement to manage overall expenses.

+

Limited Product Availability: Implementing IPM practices requires buyers to assess potential impacts on product availability, making informed decisions that maintain a balance between consistency and variety.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically navigate the trade-off between cost considerations and supporting sustainable pest management practices, ensuring both economic efficiency and environmental responsibility.

+

Consistency vs. Variety: Balancing a consistent supply with a diverse range of products necessitates compromises, requiring buyers to find an optimal mix that meets both supply chain stability and product variety.

+

2. Supplier Perspective:

+

Risks

+

Financial Impact: Suppliers adopting IPM practices must strategically manage initial cost increases, ensuring the financial impact doesn't compromise their stability during the transition.

+

Competitive Disadvantage: Suppliers practicing IPM must focus on mitigating competitive disadvantages, emphasizing the added value of environmentally friendly practices to counterbalance potential higher costs.

+

Transition Challenges: Suppliers transitioning to IPM should address challenges effectively to minimize disruptions and maintain productivity during the adaptation period.

+

Trade-offs

+

Cost vs. Environmental Impact: Suppliers must strategically navigate the trade-off between managing costs and minimizing the environmental impact of pest management practices, ensuring a balance between financial efficiency and ecological responsibility.

+

Innovation vs. Tradition: Suppliers adopting IPM practices must integrate innovation efforts with traditional methods, ensuring a harmonious coexistence that doesn't compromise established workflows.

+

Market Access vs. IPM Adoption: Suppliers targeting environmentally conscious markets must weigh the benefits of market access against the costs and challenges of adopting and maintaining IPM practices, aligning their strategies with evolving consumer expectations.

",

Direct

,

Direct

,"1. https://onlinelibrary.wiley.com/doi/full/10.1111/1477-9552.12306
+2. https://www.fao.org/pest-and-pesticide-management/ipm/integrated-pest-management/en/
+3. https://www.ncbi.nlm.nih.gov/pmc/articles/PMC4553536/
" +14,Long-Term Contracts,"

Definition

+

Use long-term contracts to mutually provide financial stability and the basis to encourage suppliers to invest in sustainability improvements across environmental and human rights areas.

","

Enabling conditions for the effective implementation of long-term contracts in a procurement organization include establishing robust risk management strategies, ensuring clear performance metrics and key performance indicators (KPIs), fostering strong relationships with suppliers, conducting thorough due diligence on contractual terms, maintaining flexibility to accommodate changes, and implementing advanced contract management technologies to facilitate monitoring and compliance over extended periods.

","

When is this a strategic choice?

+

When you need to give your supplier the confidence to invest in the transformative practices for the long term. For example, the supplier investment required in building their capability to ensure living income is achieved for smallholder farmers in their upstream supply chain. This can be a means to enable and support supplier capability building to perform actions that meet a buyer’s identified strategic needs.

+

What it means:

+

• This requires a mind-set shift on your part as a buyer; moving from short-term transactional activities, to long-term, e.g. 5 year plus, cost horizons for strategic activities.

+

• Ensure as a buyer you have engaged with your supplier and identified a genuine opportunity for mutual value creation. For example, implementing a longer-term contract will remove volatility for you as a buyer and provide more secure income to the supplier.

+

• Watch out: Do not engage your supplier in this strategic choice if you are not certain that you can deliver, i.e. you are pushed internally to take advantage when markets are favourable. If you pull out of the contract in twelve months, this will damage trust and your reputation as a buyer.

","

1. Income Stability:

+

Long-term contracts provide farmers with a stable pricing structure, reducing income volatility and offering financial stability for their households.

+

2. Risk Mitigation:

+

By mitigating the impact of market price fluctuations, long-term contracts protect farmers from sudden downturns, preserving their income levels and ensuring financial security.

+

3. Investment Confidence:

+

The confidence provided by long-term contracts encourages farmers to make investments in technology, equipment, and sustainable practices, ultimately leading to increased productivity and income.

+

4. Financial Planning:

+

Long-term contracts enable effective planning for farmers, both in terms of crop cycles and financial management, contributing to better financial planning and increased farm productivity.

+

5. Incentive Alignment:

+

Aligning incentives in long-term contracts creates a collaborative environment where both farmers and buyers benefit from the success of the partnership, encouraging investment in sustainable and efficient farming practices.

+

6. Negotiation Empowerment:

+

Long-term contracts grant farmers greater negotiation power, allowing them to secure favorable terms and pricing structures that positively impact their income.

+

7. Trust Building:

+

The continuity of long-term relationships builds trust between farmers and buyers, fostering reliability, transparency, and mutual understanding, positively influencing income-related negotiations.

+

8. Sustainable Farming Practices:

+

Long-term contracts create a conducive environment for the adoption of sustainable farming practices, aligning with environmental stewardship goals and enhancing the quality of the farmers' products.

+

9. Financial Access:

+

The more secure financial outlook provided by long-term contracts makes it easier for farmers to access credit and investment opportunities, supporting increased productivity and income.

+

10. Crop Diversification:

+

Long-term contracts encourage crop diversification, allowing farmers to experiment with different crops and potentially increase their income through diversified revenue streams.

","

1. Buyer Perspective

+

Risks

+

Market Volatility: Long-term contracts may expose buyers to market fluctuations, impacting the competitiveness of pricing and terms over time.

+

Technological Obsolescence: Advancements in technology may render contracted goods or services outdated, leading to potential inefficiencies or obsolete solutions.

+

Changing Requirements: Evolving business needs could result in misalignment with the originally contracted goods or services, requiring modifications that may be challenging.

+

Trade-offs

+

Cost Certainty vs. Market Flexibility: Buyers may seek cost certainty through long-term contracts, but this can limit their ability to take advantage of market fluctuations or negotiate lower prices during periods of market decline.

+

Supplier Commitment vs. Competitive Bidding: Long-term contracts often require supplier commitment, but this can reduce the opportunity for competitive bidding, potentially limiting cost savings.

+

Risk Mitigation vs. Innovation: Long-term contracts provide stability and risk mitigation, but they may hinder the buyer's ability to quickly adopt new technologies or benefit from innovations in the market.

+

Relationship Building vs. Supplier Diversity: Developing strong relationships with a few suppliers in long-term contracts can enhance collaboration, but it may limit the diversity of suppliers and potential innovation from different sources.

+

2. Supplier Perspective:

+

Risks

+

Resource Commitment: Suppliers may face challenges adapting to changing market conditions or technology, potentially affecting their resource allocation and profitability.

+

Contract Inflexibility: Long-term contracts may limit a supplier's ability to adjust pricing or terms in response to unforeseen circumstances.

+

Dependency: Suppliers may become overly dependent on a single buyer, leading to vulnerability if the buyer faces financial issues or changes in strategy.

+

Trade-offs

+

Stable Revenue vs. Market Opportunities: Long-term contracts offer stable revenue, but suppliers may forego opportunities to take advantage of higher market prices or more lucrative contracts.

+

Production Planning vs. Flexibility: Long-term contracts allow for better production planning, but they may restrict a supplier's flexibility to adapt quickly to changing market conditions or technological advancements.

+

Cost Efficiency vs. Price Negotiation: Suppliers may achieve cost efficiency through long-term relationships, but this could limit their ability to renegotiate prices upward in response to increased costs or inflation.

+

Collaboration vs. Market Exposure: Building a collaborative relationship with a buyer in a long-term contract is beneficial, but it may limit a supplier's exposure to a broader market and potential new customers.

",

Indirect

,

Indirect

,"

Starbucks & C.A.F.E Initiative in Brazil

+

https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf

" +15,Reducing upstream supplier tiers,"

Definition

+

Shorten the supply chain when current purchasing practices limit influence over sustainability improvements. Closer relationships with upstream suppliers improve effectiveness, reduces costs (removing value chain actors that are not value adding), and reduces risk.

","

1. Strategic Alignment with Organizational Goals

+

Prerequisite: Ensure alignment with overall organizational goals and strategic objectives.

+

Enablement: Strategic alignment guides decision-making towards choices contributing to long-term success.

+

2. Internal Capability Assessment

+

Prerequisite: Evaluate the organization's internal capabilities, expertise, and capacity.

+

Enablement: Understanding internal strengths and limitations aids in determining the feasibility of in-house production.

+

3. Market Assessment and Supplier Evaluation

+

Prerequisite: Conduct a market assessment and evaluate potential suppliers.

+

Enablement: Comprehensive supplier evaluation ensures alignment with organizational needs and goals.

+

4. Comprehensive Cost Analysis:

+

Prerequisite: Conduct a thorough cost analysis for both in-house production and external procurement.

+

Enablement: Detailed cost insights facilitate informed decision-making and resource allocation.

+

5. Cross-Functional Collaboration:

+

Prerequisite: Encourage collaboration between procurement, production, and other relevant departments.

+

Enablement: Cross-functional collaboration enhances information sharing and a holistic approach to decision-making.

+

6. Risk Identification and Mitigation Strategies

+

Prerequisite: Identify potential risks associated with both options and develop mitigation strategies.

+

Enablement: Proactive risk management enhances decision resilience and minimizes potential disruptions.

+

7. Regulatory Compliance Assessment

+

Prerequisite: Assess and ensure compliance with relevant regulations and standards.

+

Enablement: Compliance safeguards against legal issues and ensures ethical procurement practices.

+

8. Contract Management Expertise

+

Prerequisite: Have expertise in contract management for effective supplier relationships.

+

Enablement: Strong contract management ensures that external partnerships align with contractual expectations.

+

9. Scenario Planning

+

Prerequisite: Conduct scenario planning for various market conditions and internal capabilities.

+

Enablement: Scenario planning helps in anticipating potential changes and making adaptable decisions.

+

10. Continuous Monitoring and Evaluation

+

Prerequisite: Implement continuous monitoring and evaluation mechanisms post-implementation.

+

Enablement: Regular assessments ensure the ongoing relevance and effectiveness of the chosen Make vs. Buy strategy.

","

When is this a strategic choice?

+

When the spend category is business critical and the value chain visibility analysis surfaces value chain actors who are adding cost and not mitigating risk. This may also be a strategic choice when there are simply so many steps in the value chain that the ability to leverage influence to address environmental and social risks is significantly reduced.

+

What it means:

+

• Reviewing and repeating the supplier sustainability assessment and supplier segmentation activities for actors in the value chains of interest. This allows you to identify partners who have the commitment and the capability to mitigate the sustainability risks surfaced in the value chain risk assessment.

+

• Once these suppliers have been identified, the next step will be building and developing new supplier relationships with long term commitments.

","

Income Perspective

+

By working more directly with buyers and reducing layers of intermediaries, farmers gain clearer market access and greater income stability. Direct relationships can secure consistent demand, better prices, and access to technical and financial support, reducing reliance on fragmented or uncertain markets.

+

Environmental Perspective

+

Closer integration with buyers can align farm practices with corporate sustainability goals, encouraging reduced chemical use, improved soil and water management, and enhanced biodiversity. With fewer supply chain layers, monitoring and support for environmental improvements become more effective, leading to stronger outcomes on farm.

","

1. Buyer Perspective

+

Risks

+

Operational Complexity: In-house production may introduce operational complexities, including managing additional resources, technology, and expertise.

+

Investment Risk: Investing in production capabilities involves a significant upfront cost, which may not be justified if demand fluctuates.

+

Dependency on Internal Processes: Relying solely on internal processes may limit the buyer's agility in responding to market changes.

+

Trade-offs

+

Cost Efficiency vs. Control: Buyers may face the trade-off between achieving cost efficiency through outsourcing (buying) and maintaining greater control over processes through in-house production (making). Deciding on the right balance involves evaluating the importance of cost savings versus control.

+

Expertise Access vs. In-House Skills Development: Buyers must weigh the advantage of accessing external expertise through outsourcing against the potential benefits of developing in-house skills. The trade-off involves deciding between immediate access to specialized knowledge and building internal capabilities over time.

+

Risk Mitigation vs. Flexibility: Buyers may prioritize risk mitigation by outsourcing certain processes to specialized suppliers, but this could reduce the flexibility to make rapid changes internally. Balancing risk mitigation with the need for adaptability is crucial in the decision-making process.

+

Time-to-Market vs. Quality Control: Buyers may need to balance the desire for a rapid time-to-market through outsourcing against the need for stringent quality control in in-house production. Striking the right balance involves considering time constraints while ensuring product or service quality.

+

2. Supplier Perspective

+

Risks

+

Overdependence on a Single Buyer: Suppliers heavily reliant on a single buyer may face financial vulnerabilities if the buyer changes its production strategy.

+

Market Access Challenges: Suppliers relying solely on external sales may face challenges in accessing certain markets or industries.

+

Limited Control over Production: Suppliers may face risks associated with limited control over production processes and quality standards.

+

Trade-offs

+

Stability through Contracts vs. Market Volatility: Suppliers may face the trade-off between seeking stability through long-term contracts with buyers and navigating market volatility. Long-term contracts offer stability but may limit the ability to respond quickly to market changes.

+

Specialization vs. Diversification: Suppliers must decide between specializing in a particular product or service for a single buyer (making) and diversifying their offerings to cater to multiple buyers (buying). The trade-off involves assessing the benefits of specialization against the risks of dependence on a single buyer.

+

Economies of Scale vs. Customization: Suppliers may weigh the advantages of achieving economies of scale through serving multiple buyers against the customization requirements of individual buyers. The trade-off involves deciding between mass production efficiency and tailoring products or services to specific buyer needs.

+

Cash Flow Predictability vs. Market Dependency: Suppliers may prioritize cash flow predictability through long-term contracts, but this may result in dependency on specific buyers. Balancing cash flow stability with market diversification is essential for supplier sustainability.

",

Direct

,

Indirect

,"

IDH Interview Session

+

https://webassets.oxfamamerica.org/media/documents/Business-briefing-Issue-1-V3.pdf

" +16,Mutual supplier-based incentives,"

Definition

+

Develop shared incentive programs to accelerate strategic implementation, especially when building supplier capability, reducing supplier tiers, or transitioning to direct sourcing relationships.

","

To effectively implement Performance-Based Incentives in procurement, a logical progression includes defining clear performance metrics, establishing transparent contractual agreements, developing robust data analytics capabilities, implementing effective Supplier Relationship Management (SRM), establishing communication and feedback mechanisms, defining performance evaluation criteria, designing flexible incentive structures, providing training and support programs, ensuring financial stability, and ensuring legal and ethical compliance, creating a conducive environment for continuous improvement and collaboration with suppliers.

","

When is this a strategic choice?

+

If it has been identified that effective mitigation of sustainability risks can only be achieved through long-term partnering with upstream supply chain actors, trust must be built to provide the foundation for an effective relationship.

+

What it means:

+

Committing to deep partnering and to genuinely understanding what is mutual for both buyer and supplier. This will require confronting and agreeing a fair balance of value creation and acceptance of risk for both parties.

+

This is important to consider when exploring actions such as Supplier Capability Building, Reducing Upstream Supplier Tiers, and Direct Farmer Contracting.

","

Income Perspective

+

Mutual incentive schemes increase farmer income by rewarding achievement of shared targets agreed with buyers. Aligning incentives to continuous improvement and efficiency creates additional opportunities to strengthen profitability while building longer term partnerships.

+

Environmental Perspective

+

When incentives are jointly tied to sustainability goals, farmers are encouraged to adopt practices that improve soil, water, and biodiversity outcomes. This supports climate resilience, long term productivity, and alignment with buyer commitments on sustainable sourcing.

","

1. Buyer Perspective

+

Risks

+

Financial Strain: Offering performance-based bonuses may strain the buyer's budget, especially if multiple suppliers are eligible for bonuses simultaneously.

+

Potential for Misalignment: There's a risk that the buyer's expectations for performance may not align with the supplier's capabilities, leading to disputes over bonus eligibility.

+

Supplier Dependence: Over-reliance on performance bonuses may create a dependency on bonuses rather than fostering sustainable long-term performance improvements.

+

Trade-offs

+

Cost Savings vs. Performance Quality: Buyers may face the trade-off between achieving cost savings and ensuring high performance quality through incentives. Striking the right balance involves aligning incentives with performance expectations without compromising cost-efficiency.

+

Contractual Rigidity vs. Flexibility: Buyers using performance-based incentives may grapple with maintaining contractual rigidity and allowing flexibility for suppliers to meet performance targets. The trade-off involves defining clear performance metrics while accommodating dynamic market conditions.

+

Risk Mitigation vs. Innovation: Buyers may use performance-based incentives for risk mitigation, but this could impact supplier innovation. Balancing risk management with fostering innovation involves setting incentives that encourage both reliability and continuous improvement.

+

Supplier Accountability vs. Relationship Building: Buyers may emphasize supplier accountability through performance-based incentives, but this may affect the overall relationship with suppliers. Striking the right balance involves holding suppliers accountable while fostering a positive working relationship.

+

2. Supplier Perspective

+

Risks

+

Unrealistic Performance Expectations: Suppliers may face challenges if the buyer sets overly ambitious or unrealistic performance targets.

+

Financial Dependence: Dependence on performance bonuses may create financial uncertainty if bonuses are not consistently achieved.

+

Operational Strain: Intense focus on bonus-driven metrics might strain the supplier's operations, potentially affecting overall service or product quality.

+

Trade-offs

+

Profitability vs. Performance: Suppliers may face the trade-off between maximizing profitability and meeting performance metrics to earn incentives. Balancing the desire for profit with the commitment to achieving performance targets is crucial for supplier success.

+

Resource Allocation vs. Incentive Earning: Suppliers may need to allocate resources effectively to meet performance targets, but this must be balanced against the potential for earning incentives. The trade-off involves optimizing resource allocation for both performance and profitability.

+

Stability vs. Variable Income: Suppliers relying on performance-based incentives may experience variability in income. The trade-off involves managing income stability while leveraging performance incentives as a revenue stream.

+

Long-Term Relationships vs. Short-Term Targets: Suppliers may need to balance building long-term relationships with buyers and meeting short-term performance targets for incentives. Striking the right balance involves aligning performance incentives with broader relationship-building objectives.

",

Direct

,

Direct

,"

EY Based Interview Session

+

https://thegiin.org/assets/Understanding%20Impact%20Performance_Agriculture%20Investments_webfile.pdf

" +17,Precision Agriculture,"

Definition

+

Deploy precision agriculture technologies to reduce environmental impacts and input costs on farms.

","

1. Enabling Conditions for Precision Agriculture in a Procurement Organization:

+

Data Integration Systems: Implementation of robust systems for collecting, integrating, and analyzing agricultural data to inform procurement decisions based on precise insights.

+

Technology Adoption: Adoption of cutting-edge technologies such as sensors, GPS, drones, and data analytics platforms to monitor and optimize agricultural processes.

+

Supplier Collaboration: Collaborative partnerships with suppliers who employ precision agriculture practices, fostering a seamless integration of technology-driven approaches throughout the supply chain.

+

Educational Programs: Training procurement staff on the principles and benefits of precision agriculture, enhancing their ability to make informed decisions.

+

Regulatory Compliance: Ensuring alignment with relevant regulations and standards related to data privacy, technology use, and environmental sustainability in precision agriculture.

+

2. Enabling Conditions for Precision Agriculture on a Farm:

+

Technology Infrastructure: Establishment of a reliable and efficient technology infrastructure, including high-speed internet and connectivity to support precision agriculture applications.

+

Data Management and Analysis: Implementation of robust data management systems and analytics tools to process and interpret data collected from precision agriculture technologies.

+

Skill Development: Continuous training and skill development for farm personnel to effectively operate and leverage precision agriculture tools and technologies.

+

Equipment and Sensor Integration: Integration of precision agriculture equipment, sensors, and monitoring devices into farm operations to optimize resource use and enhance overall efficiency.

+

Financial Investment: Availability of financial resources to invest in the initial setup and ongoing maintenance of precision agriculture technologies and equipment.

+

Sustainable Practices: Integration of precision agriculture with sustainable farming practices, considering environmental impact and resource conservation.

+

For both procurement organizations and farms, a holistic approach that combines technological infrastructure, data-driven decision-making, collaboration with stakeholders, and a commitment to sustainable practices is essential for successful implementation of precision agriculture.

","

Precision agriculture technologies are any technologies or practices which optimises agricultural inputs. For example, mapping the soil nutrient levels across a field and then adjusting fertiliser applications across the field to match the required nutrient levels.

+

When is this a strategic choice?

+

When you, as the buyer, have a clear understanding of current and future sourcing origins and are prepared to actively support suppliers in adopting precision agriculture systems.

+

What it means:

+

• As a buyer you are confident that your suppliers have both the capability and commitment to implement and sustain the technology infrastructure required for precision agriculture. This may include Geographic Information Systems (GIS), input optimisation tools, and precision machinery.

+

• As a buyer you are also prepared to provide any additional support needed, including investment capital if necessary.

+

• This strategy depends on suppliers maintaining long-term, trust-based relationships with producers at the farm level.

","

1. Environmental Perspective:

+

Reduced Environmental Impact: Precision agriculture minimizes the environmental impact of farming activities by precisely targeting inputs, minimizing runoff, and optimizing resource use. This supports environmental sustainability and conservation.

+

Soil and Water Conservation: By precisely managing inputs, precision agriculture helps farmers conserve soil quality and water resources, reducing the overall environmental footprint of farming.

+

2. Income Perspective:

+

Cost Savings: Precision agriculture technologies enable farmers to make more informed decisions, reducing input costs and improving overall operational efficiency. This leads to cost savings and increased profitability for farmers.

+

Increased Yields: Improved decision-making based on real-time data can lead to increased yields, contributing to higher income for farmers.

+

3. Risk Perspective:

+

Climate Resilience: Precision agriculture provides tools for farmers to adapt to climate variability by offering real-time data on weather patterns and allowing for more effective risk management.

+

Market Viability: Adoption of precision agriculture practices enhances the market viability of farmers by showcasing their commitment to sustainable and technologically advanced farming methods, reducing the risk of market exclusion.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are vital in providing access to advanced technologies and resources. By supporting and incentivizing the adoption of precision agriculture practices, procurement organizations contribute to the technological advancement and sustainability of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Initial Investment Costs: Buyers should strategically manage the upfront investment in precision agriculture, ensuring the technology aligns with long-term procurement goals without exceeding budget constraints.

+

Dependency on Technology: Buyers must assess and mitigate the risk of overreliance on precision agriculture technology by implementing backup systems and contingency plans for supply chain disruptions.

+

Data Security Concerns: Buyers need to address data security concerns by implementing robust cybersecurity measures, safeguarding sensitive information collected through precision agriculture.

+

Trade-offs

+

Cost vs. Efficiency: Buyers should make strategic decisions on the adoption of precision agriculture technology, weighing upfront costs against expected long-term efficiency gains in procurement and supply chain management.

+

Environmental Impact vs. Productivity: Deciding on the level of technology adoption involves a trade-off between potential environmental benefits and increased productivity, requiring buyers to find a balanced approach that aligns with sustainability goals.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers investing in precision agriculture must carefully manage financial strain, strategically allocating resources to ensure the adoption of technology doesn't compromise their stability.

+

Technological Skill Gaps: Suppliers should address skill gaps by investing in training or recruiting skilled personnel to effectively adopt and implement precision agriculture practices.

+

Market Access Challenges: Suppliers without means to adopt precision agriculture may face challenges accessing markets that prioritize technologically advanced practices, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Competitiveness: Suppliers must strategically balance the costs of adopting precision agriculture with the potential for increased competitiveness in the market, ensuring a sound investment in technology.

+

Innovation vs. Tradition: Allocating resources to adopt new technologies involves a trade-off with traditional farming practices, requiring suppliers to find a harmonious integration that maintains productivity.

+

Market Access vs. Technology Adoption: Suppliers need to weigh the benefits of market access against the costs and challenges of transitioning to and maintaining precision agriculture practices, aligning their strategies with evolving buyer expectations.

",

Direct

,

Direct

,"1. https://www.aem.org/news/the-environmental-benefits-of-precision-agriculture-quantified
+2. https://geopard.tech/blog/the-environmental-benefits-of-precision-agriculture/
+3. https://www.mdpi.com/2071-1050/9/8/1339
+4. https://www.precisionfarmingdealer.com/blogs/1-from-the-virtual-terminal/post/4673-the-environment-and-farmers-reap-benefits-of-precision-ag-technology
" +18,Procurement-Driven Sustainability Investments,"

Definition

+

Invest strategically where required improvements are not yet in place or need acceleration. Incentivise suppliers to adopt sustainability practices aligned with internal and external analysis.

","

To enable financially robust and strategically impactful procurement-driven sustainability investments, a procurement organization should prioritize:

+

1. Strategic Investment Planning: Rigorous financial planning for effective resource allocation.

+

2. Strategic Procurement Investment Strategy: Developing a comprehensive strategy aligning procurement investments with overall organizational goals, considering different investments methods (direct / indirect)

+

3. Cost-Benefit Analysis: Implementing analyses to weigh costs against anticipated sustainability impact and long-term value.

+

4. Risk and Return Analysis: Conducting thorough assessments to understand financial risks and returns associated with sustainability investments.

+

5. Performance Metrics Alignment: Ensuring financial metrics align with sustainability performance indicators.

+

6. Strategic Supplier Engagement: Engaging with suppliers aligned with sustainability goals in a strategic manner.

+

7. Technology for Financial Insight: Leveraging technology tools for financial insight and reporting.

+

8. Return on Investment (ROI) Tracking: Establishing mechanisms to monitor and assess the financial outcomes of sustainability initiatives.

+

9. Continuous Improvement Culture: Fostering a culture of continuous improvement within the financial and strategic aspects of sustainability investments.

+

10. Regulatory Compliance Management: Incorporating financial planning to ensure compliance with environmental regulations.

","

When is this a strategic choice?

+

Based on the internal and external analysis – this will have been identified as an investment opportunity to support supplier improvements.

+

What it means:

+

When you need to give your supplier the confidence to invest in the transformative practices for the long term. This investment may take many forms – depending on your needs as the buyer and what is mutual for both buyer and supplier. For example:

+

• Long term contracts: Giving confidence to the supplier to invest in capability building

+

• Pre-financing agreements: Finance provided upfront to enable a supplier or farmer to cover costs needed to start an initiative. Investment comes back to the buyer further down the line.

+

• Cost of Goods Addition: When making a high-value purchase, a supplier/buyer agrees a minor additional percentage of the Cost Of Goods, enabling the supplier to invest in smallholder capability building. The percentage agreed can be decided based on a cost avoidance calculation done to understand the long term cost benefits of the capability building

+

• Performance Cost Model Incentives: Agreeing performance cost model incentives for the supplier, which reduce the buyers total cost of ownership. For example, price indexed to delivering high quality specifications, which brings efficiency by reducing waste for the buyer associated with receiving out-of-specification goods.

","

1. Supply Chain Resilience:

+

Environmental Perspective: Resilient supply chains, supported by sustainability investments, protect farmers from environmental risks, preserving their livelihoods.

+

Income Perspective: Stable supply chains ensure consistent income for farmers, reducing financial vulnerabilities associated with disruptions.

+

2. Quality Assurance:

+

Environmental Perspective: Implementing sustainable farming practices contributes to environmental conservation, ensuring the longevity of farming activities.

+

Income Perspective: High-quality products can command premium prices, positively impacting farmers' income.

+

3. Mitigating Supply Chain Risks:

+

Environmental Perspective: Sustainable farming practices reduce the risk of environmental degradation, safeguarding the long-term viability of farming.

+

Income Perspective: Mitigating supply chain risks ensures stable income for farmers, protecting them from financial uncertainties.

+

4. Ensuring Compliance:

+

Environmental Perspective: Adhering to sustainability standards promotes environmentally responsible farming practices.

+

Income Perspective: Ensuring compliance protects farmers from legal issues, preserving their income and reducing financial risks.

+

5. Long-Term Supply Assurance:

+

Environmental Perspective: Sustainable practices contribute to the long-term availability of agricultural inputs, ensuring the sustainability of farmers' livelihoods.

+

Income Perspective: Consistent supply ensures long-term income stability for farmers, reducing the risk of income fluctuations.

+

6. Cost Efficiency:

+

Environmental Perspective: Sustainable practices contribute to resource efficiency and reduce environmental impact.

+

Income Perspective: Cost-efficient practices positively impact farmers' income by optimizing production processes and reducing waste.

+

7. Market Access and Premiums:

+

Environmental Perspective: Sustainability investments enhance the marketability of products, contributing to environmental sustainability.

+

Income Perspective: Access to premium markets and higher prices for sustainable products directly benefits farmers' income.

+

8. Community Engagement:

+

Environmental Perspective: Community engagement initiatives support sustainable and community-focused farming practices.

+

Income Perspective: Positive community engagement contributes to stable income for farmers, fostering a supportive local environment.

+

9. Risk Mitigation Through Training:

+

Environmental Perspective: Training in sustainable practices supports environmental conservation and adaptation to changing conditions.

+

Income Perspective: Risk mitigation through training ensures farmers can adapt to market demands, preserving their income and livelihoods.

","

1. Buyer Perspective

+

Risks

+

Higher Initial Investment: Implementing sustainability initiatives may require a higher upfront investment in eco-friendly products or services.

+

Uncertain Return on Investment (ROI): The long-term financial benefits of sustainability investments may be uncertain, making it challenging to quantify ROI accurately.

+

Market Volatility: Dependence on sustainability-sensitive suppliers may expose the buyer to market fluctuations, impacting the financial stability of the supply chain.

+

Trade-offs

+

Cost vs. Sustainability Impact: Buyers may face the trade-off of prioritizing lower costs versus making sustainable procurement decisions that may involve higher upfront expenses. Striking the right balance is crucial for achieving sustainability goals while managing costs.

+

Supplier Relationship vs. Sustainable Sourcing: Building strong relationships with existing suppliers may conflict with the pursuit of sustainability if those suppliers do not align with sustainable sourcing practices. Buyers must balance loyalty with the need for suppliers committed to sustainability.

+

Short-Term vs. Long-Term Sustainability Goals: Buyers may need to decide between meeting short-term procurement targets and pursuing more ambitious, long-term sustainability goals. Achieving immediate sustainability gains may conflict with broader, transformative initiatives.

+

Standardization vs. Customization for Sustainability: Standardizing procurement processes can enhance efficiency, but customization may be necessary for tailoring sustainability requirements to specific products or suppliers. Balancing standardization and customization is crucial for effective sustainable procurement.

+

2. Supplier Perspective

+

Risks

+

Increased Production Costs: Adhering to sustainability standards may lead to increased production costs, impacting the supplier's financial performance.

+

Resource Constraints: Meeting stringent environmental criteria may strain supplier resources, affecting overall operational efficiency.

+

Market Exclusion: Suppliers not meeting sustainability standards may face exclusion from contracts, limiting market access and revenue opportunities.

+

Trade-offs

+

Cost Competitiveness vs. Sustainable Practices: Suppliers may face the trade-off of remaining cost-competitive while adopting sustainable practices, which might involve investments in eco-friendly technologies or certifications. Balancing these factors is essential for sustainable procurement partnerships.

+

Market Presence vs. Sustainability Credentials: Suppliers may need to weigh the importance of building a strong market presence against the need to invest in and showcase sustainability credentials. Striking the right balance ensures visibility and commitment to sustainability.

+

Flexibility vs. Compliance with Sustainable Standards: Suppliers may value flexibility in their operations, but strict compliance with sustainability standards may limit their operational freedom. Achieving compliance without compromising operational efficiency is a key trade-off.

+

Short-Term Profits vs. Long-Term Sustainability Investments: Suppliers may need to decide between prioritizing short-term profits and making long-term investments in sustainable practices. Balancing immediate financial gains with sustainable investments is critical for long-term success.

",

Indirect

,

Direct

,"

Based on IDH Interview sessions

+

https://www.iied.org/sites/default/files/pdfs/migrate/16509IIED.pdf

" +19,Regenerative agriculture,"

Definition: Adopt regenerative agriculture practices where internal commitments or identified value chain risks point to degradation in soil, nature, water, or biodiversity being priority areas to address. Regenerative agriculture approaches help mitigate risks using natural inputs and support long-term sustainability.

","

1. Enabling Conditions for Regenerative Agriculture in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize regenerative agriculture practices, emphasizing the sourcing of products from farms employing regenerative principles.

+

Supplier Engagement: Collaborative partnerships with suppliers committed to regenerative agriculture, encouraging transparency and the adoption of sustainable practices.

+

Educational Initiatives: Providing training and education for procurement professionals to enhance their understanding of regenerative agriculture principles and the associated benefits.

+

Certification Standards: Utilizing or establishing certification standards that recognize and verify regenerative farming practices, ensuring authenticity and compliance in the supply chain.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing regenerative agriculture to promote stability and encourage ongoing commitment to sustainable practices.

+

2. Enabling Conditions for Regenerative Agriculture on a Farm Level:

+

Holistic Farm Planning: Development of comprehensive farm plans that integrate regenerative agriculture principles, considering soil health, biodiversity, and ecosystem resilience.

+

Crop Rotation and Cover Crops: Implementation of crop rotation and cover cropping strategies to enhance soil fertility, reduce erosion, and promote biodiversity.

+

No-till Farming Practices: Adoption of no-till or reduced tillage methods to minimize soil disturbance and promote soil structure and carbon sequestration.

+

Agroforestry Integration: Integration of agroforestry practices, such as the planting of trees and perennial crops, to enhance biodiversity and provide ecosystem services.

+

Livestock Integration: Thoughtful integration of livestock into farming systems to mimic natural ecological processes, improve soil health, and contribute to nutrient cycling.

+

Community Involvement: Engagement with local communities, consumers, and agricultural extension services to raise awareness of regenerative agriculture and foster support for sustainable farming practices.

+

Both at the procurement organization and on the farm level, successful implementation of regenerative agriculture requires a commitment to sustainable principles, collaborative relationships, ongoing education, and the integration of regenerative practices into the core of farming and procurement strategies.

","

1. Cost Perspective:

+

Input Cost Reduction: Regenerative agriculture focuses on enhancing soil health and reducing the reliance on external inputs. This can lead to cost savings for agri-food companies by minimizing the need for synthetic fertilizers and pesticides.

+

Operational Efficiency: Improved soil health and biodiversity associated with regenerative practices contribute to operational efficiency, potentially reducing the need for extensive pest control and fertilization.

+

2. Revenue Perspective:

+

Market Differentiation: Agri-food companies adopting regenerative agriculture can differentiate themselves in the market by offering products with improved environmental and ethical credentials. This differentiation may attract consumers seeking sustainable and responsibly produced goods.

+

Premium Pricing: Products associated with regenerative agriculture may command premium prices due to their perceived environmental and health benefits, contributing to increased revenue.

+

3. Risk Perspective:

+

Supply Chain Resilience: Regenerative agriculture practices, such as diversified crop rotations and cover cropping, can enhance supply chain resilience by reducing vulnerability to climate-related risks, pests, and diseases.

+

Reputation Management: Agri-food companies adopting regenerative practices can mitigate reputational risks associated with environmental degradation and contribute to positive brand perception.

+

4. Link to Procurement Organizations:

+

The use of regenerative agriculture practices links back to procurement organizations as they influence the sourcing decisions of agri-food companies. Procurement teams play a role in establishing criteria that encourage suppliers to adopt regenerative practices, ensuring that the entire supply chain aligns with sustainability and regenerative goals.

","

Environmental Perspective

+

Practices such as cover cropping, reduced tillage, crop rotation, and integrating perennials build soil organic matter, improve water retention, and reduce erosion. Greater plant and microbial diversity strengthens ecosystems and enhances resilience. Lower reliance on synthetic fertilizers and chemicals reduces emissions, and regenerative systems can cut energy use through fewer field passes and input applications.

+

Income Perspective

+

Although transition may require upfront investment, long term cost savings come from reduced fertilizer, pesticide, and energy costs, alongside improved soil fertility and productivity. Access to markets that reward regenerative practices with price premiums or preferential sourcing further increases income potential.

+

Risk Perspective

+

Healthier soils and diversified systems improve resilience to drought, floods, and heat stress, reducing yield losses from climate volatility. Lower dependence on purchased inputs and fossil energy buffers farmers against price spikes and supply disruptions.

+

Link to Procurement Organizations

+

Regenerative agriculture approaches need time to implement. Procurement partners must be committed through a long-term sourcing strategy commitment to farmers to enable technical support and financial incentives. Recognizing regenerative outcomes and linking them to clear sustainability goals strengthens supply security while rewarding farmers for building resilient and climate positive production systems.

","

1. Buyer Perspective:

+

Risks

+

Higher Initial Costs: Buyers must carefully manage the potential increase in procurement expenses associated with higher production costs in regenerative agriculture, ensuring a balanced budget.

+

Variable Supply: Buyers need to address challenges related to variable crop yields in regenerative agriculture, implementing strategies to predict and manage supply fluctuations effectively.

+

Transition Period Challenges: Buyers should be aware of challenges suppliers may face during the transition to regenerative practices, taking measures to minimize potential impacts on product availability and consistency.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance the higher costs of regenerative agriculture against the desire to support environmentally sustainable and resilient farming practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Variety: Striking a balance between ensuring a consistent supply of products and offering a variety of goods requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and diversity.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting regenerative agriculture may face initial financial strain, requiring strategic resource allocation to mitigate the impact on competitiveness.

+

Transition Period Challenges: Suppliers transitioning to regenerative practices must address challenges in adapting to new methods, implementing measures to maintain productivity during the transition.

+

Market Access Challenges: Suppliers without the means to adopt regenerative practices may struggle with accessing markets that prioritize sustainability and regenerative agriculture, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers must weigh the costs and challenges of transitioning to regenerative agriculture against the potential market access and premium prices associated with sustainable and regenerative products, ensuring a sound investment in regenerative practices.

+

Innovation vs. Tradition: Allocating resources to adopt regenerative practices involves trade-offs with traditional methods, necessitating suppliers to find a harmonious integration that maintains productivity.

+

Crop Yield vs. Sustainability: Balancing the desire for higher crop yields with the commitment to regenerative and sustainable farming practices may require trade-offs, with suppliers finding optimal solutions that align with environmental goals.

",

Direct

,

Direct

,"1. https://www.unilever.com/news/news-search/2023/regenerative-agriculture-what-it-is-and-why-it-matters/#:~:text=This%20holistic%20land%20management%20system,water%20management%20and%20support%20livelihoods.
+2. https://www.nrdc.org/bio/arohi-sharma/regenerative-agriculture-part-4-benefits
+3. https://www.frontiersin.org/articles/10.3389/fsufs.2020.577723/full
+4. https://www.forbes.com/sites/forbesfinancecouncil/2020/01/30/is-regenerative-agriculture-profitable/
+5. https://www.nestle.com/sustainability/nature-environment/regenerative-agriculture
+6. https://www.unilever.com/planet-and-society/protect-and-regenerate-nature/regenerating-nature/
+7. https://demos.co.uk/wp-content/uploads/2023/09/Regenerative-Farming-Report-Final.pdf
+8. https://www.rainforest-alliance.org/insights/what-is-regenerative-agriculture/
" +20,Smallholder crop production,"

Definition: Where value chain visibility reveals reliance on smallholder farmers, support them in improving agricultural practices to manage sustainability risks and find opportunities to improve yield and supply security.

+

such as integrated pest management, soil conservation, and precision agriculture. This requires direct collaboration and supplier capability building.

","

1. Enabling Conditions of Small-Scale Crop Production in a Procurement Organization:

+

Inclusive Sourcing Policies: Establishment of inclusive procurement policies that prioritize the inclusion of small-scale farmers and their products in the supply chain.

+

Local Supplier Networks: Development of local supplier networks to connect with small-scale farmers, fostering collaboration and enabling their participation in procurement opportunities.

+

Fair Trade and Ethical Sourcing Standards: Adoption of fair trade and ethical sourcing standards to ensure fair compensation and ethical treatment of small-scale farmers in the supply chain.

+

Capacity Building: Implementation of capacity-building programs to empower small-scale farmers with the skills and knowledge needed to meet procurement requirements.

+

Financial Support: Provision of financial support or favorable payment terms to small-scale farmers to enhance their financial stability and facilitate their participation in procurement processes.

+

2. Enabling Conditions of Small-Scale Crop Production on the Farm Level:

+

Access to Resources: Provision of access to essential resources such as land, seeds, water, and credit to support small-scale farmers in crop production.

+

Training and Extension Services: Implementation of training programs and agricultural extension services to enhance the technical skills and knowledge of small-scale farmers.

+

Collective Action: Encouragement of collective action through farmer cooperatives or associations to strengthen the bargaining power of small-scale farmers in procurement negotiations.

+

Market Linkages: Establishment of direct market linkages between small-scale farmers and procurement organizations to facilitate the sale of their products.

+

Technology Adoption: Support for the adoption of appropriate agricultural technologies that enhance productivity and sustainability for small-scale farmers.

+

For both procurement organizations and small-scale farms, fostering collaboration, providing support, and implementing inclusive practices are essential for successful small-scale crop production that benefits both parties.

","

Smallholder crop production support can include agricultural practices such as integrated pest management, soil conservation, and precision agriculture. Such practices can help reduce negative environmental impacts, improve farmer crop yields, improve crop resilience to environmental changes and hence improve security of supply. Improving yields and crop resilience can subsequently improve level and stability of incomes for farmers.

+

When is this a strategic choice:

+

When value chain visibility surfaces smallholders as a key characteristic in a business’s value chain and environmental risks or social risks have been identified linked to these smallholders, leaning into supporting smallholders would be a strategic choice.

+

What it means:

+

• Smallholders usually have yield / knowledge gaps – which will need to be closed through training capability, this requires committed and long-term resource of implementing partners to be factored into cost of goods.

+

• Exploring the creation of co-operatives to facilitate capability building for large numbers of smallholders, is a practical management option.

+

• Long term commitments to smallholders through direct suppliers. Buyers must be prepared to create new pricing/cost models accounting for churn/loss of smallholders. Smallholder churn often occurs as smallholders are often ‘price takers’ taking a short term view of buyers, by taking the ‘best price’ the market has to offer.

","

1. Environmental Perspective:

+

Biodiversity Preservation: Small-scale crop production often involves diverse farming practices that support biodiversity and contribute to ecosystem health.

+

Sustainable Agriculture: Small-scale farmers are often more inclined to adopt sustainable and environmentally friendly practices, contributing to overall environmental conservation.

+

2. Income Perspective:

+

Market Access: Collaborating with agri-food companies provides small-scale farmers with broader market access, allowing them to sell their products to a wider audience and potentially increasing income.

+

Stable Incomes: Contractual agreements with agri-food companies can provide small-scale farmers with more stable and predictable incomes compared to traditional markets.

+

3. Risk Perspective:

+

Diversification of Income: Engaging with agri-food companies diversifies the income sources for small-scale farmers, reducing the risk associated with dependency on a single market or crop.

+

Access to Resources: Collaboration with agri-food companies may provide small-scale farmers with access to resources, technologies, and expertise that enhance their resilience to risks such as climate change and market fluctuations.

+

4. Link to Procurement Organizations:

+

For small-scale farmers, procurement organizations are crucial in providing access to markets and resources. By establishing partnerships and contracts with agri-food companies, procurement organizations contribute to the economic viability and sustainability of small-scale farmers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Inconsistency: Buyers must address potential supply inconsistencies from small-scale crop production, implementing strategies to manage and predict procurement demands effectively.

+

Quality Variability: Buyers need to manage fluctuations in crop quality resulting from the variability in farming practices among small-scale producers, ensuring consistent product standards.

+

Limited Capacity: Buyers should be aware of the limitations small-scale farmers may face in meeting large-scale procurement requirements, taking measures to support them during peak demand periods.

+

Trade-offs

+

Cost vs. Local Impact: Buyers should strategically balance potential cost advantages of large-scale production with the desire to support local communities and small-scale farmers, making procurement decisions that align with social impact goals.

+

Consistency vs. Diversity: Striking a balance between ensuring a consistent supply from larger suppliers and offering the diversity of products from small-scale farmers requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and variety.

+

2. Supplier Perspective:

+

Risks

+

Market Access Challenges: Small-scale farmers must address challenges in accessing markets due to competition with larger suppliers, implementing strategies to overcome barriers and establish a market presence.

+

Limited Bargaining Power: Individual small-scale farmers should be aware of their limited bargaining power in negotiations with procurement organizations, strategizing to secure fair terms of trade.

+

Financial Vulnerability: Small-scale farmers need to mitigate financial vulnerability by diversifying their buyer base and reducing dependence on a single buyer or limited market access.

+

Trade-offs

+

Scale vs. Autonomy: Small-scale farmers must balance the potential advantages of larger-scale production with the desire to maintain autonomy and independence, making strategic decisions that align with their values and goals.

+

Efficiency vs. Sustainability: Small-scale farmers may face trade-offs between adopting more efficient practices and maintaining sustainability, requiring strategic decisions to meet procurement demands without compromising long-term environmental goals.

+

Market Access vs. Local Focus: Deciding on the extent to which small-scale farmers want to engage with larger markets while maintaining a focus on local and community needs involves trade-offs, requiring a thoughtful approach that aligns with their overall mission.

",

Direct

,

Direct

,"1. https://www.wbcsd.org/Sector-Projects/Forest-Solutions-Group/Resources/Sustainable-Procurement-Guide
+2. https://www.worldwildlife.org/industries/sustainable-agriculture
+3. https://www.sciencedirect.com/science/article/abs/pii/S0959652619305402
+4. https://www.fao.org/3/i5251e/i5251e.pdf
+5. https://www.eci.ox.ac.uk/sites/default/files/2022-05/Farming-food-WEB.pdf
+6. https://www.iied.org/sites/default/files/pdfs/migrate/16518IIED.pdf
+7. https://www.ncbi.nlm.nih.gov/pmc/articles/PMC8998110/
" +21,Soil conservation,"

Definition

+

Introduce soil conservation practices where soil degradation threatens supply security or where carbon sequestration supports decarbonisation goals.

","

1. Enabling Conditions for Soil Conservation in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers practicing soil conservation, emphasizing environmentally responsible and soil-enhancing agricultural practices.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of soil conservation practices and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to soil conservation, fostering partnerships, and incentivizing the adoption of sustainable farming practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify soil conservation practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing soil conservation to promote stability and incentivize continued commitment to sustainable and soil-friendly farming methods.

+

2. Enabling Conditions for Soil Conservation on a Farm Level:

+

Conservation Tillage Practices: Adoption of conservation tillage methods, such as no-till or reduced tillage, to minimize soil disturbance and erosion.

+

Cover Cropping: Integration of cover crops into farming practices to protect and enrich the soil, reduce erosion, and improve overall soil structure.

+

Crop Rotation: Implementation of crop rotation strategies to enhance soil fertility, minimize pest and disease pressure, and contribute to sustainable soil management.

+

Terracing and Contour Farming: Construction of terraces and use of contour farming techniques to reduce water runoff, prevent soil erosion, and promote water retention in the soil.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective soil conservation practices, optimizing soil health and overall sustainability.

+

Successful implementation of soil conservation requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of soil-friendly principles into the core of farming and procurement strategies.

","

Soil Conservation is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of soil conservation can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers

+

• Improve yield through enhanced soil fertility

+

• Help protect farmers against drought through better soil water retention

+

• Improve carbon sequestration of the soil. If appropriately set up, monitored, measured and accounted, this could contribute to business carbon reduction commitments. If certified, it could also create a secondary income stream through farmers selling carbon credits.

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, directly with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

","

1. Environmental Perspective:

+

Biodiversity Promotion: Soil conservation practices contribute to biodiversity by creating a healthier and more balanced ecosystem within agricultural landscapes.

+

Water Quality Improvement: Soil conservation helps prevent soil runoff, improving water quality and contributing to environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: Farmers can achieve cost savings through soil conservation practices by reducing expenses related to soil inputs, erosion control measures, and potentially increasing overall income.

+

Diversified Income Streams: Soil conservation practices may create opportunities for farmers to diversify income streams, such as selling carbon credits or participating in conservation programs.

+

3. Risk Perspective:

+

Reduced Crop Failure Risk: Healthy soils resulting from conservation practices reduce the risk of crop failure by providing optimal conditions for plant growth and resilience against pests and diseases.

+

Climate Resilience: Soil conservation practices enhance climate resilience by improving soil structure and water retention, helping farmers adapt to changing weather patterns.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to markets and resources. By supporting and incentivizing the adoption of soil conservation practices, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Adoption of soil conservation practices may lead to variations in agricultural production and potential disruptions in the supply chain, affecting product availability.

+

Transition Costs: Suppliers implementing soil conservation practices may incur initial costs, potentially impacting product prices and affecting the overall procurement budget.

+

Certification Challenges: Ensuring adherence to certification standards related to soil conservation may pose challenges, requiring rigorous monitoring and verification.

+

Trade-offs

+

Cost vs. Sustainability: Balancing potential cost implications of products from suppliers practicing soil conservation with the desire to support environmentally responsible sourcing practices.

+

Consistency vs. Innovation: Striking a balance between consistent supply from traditional sources and the innovative adoption of soil conservation practices within the supply chain.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting soil conservation practices may initially face higher costs, potentially causing financial strain and impacting competitiveness.

+

Transition Period Challenges: Implementation of new soil conservation techniques may pose challenges during the initial phases, affecting production efficiency and consistency.

+

Market Access Concerns: Suppliers may face challenges in accessing markets that prioritize traditional, non-conservation farming practices.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of adopting soil conservation practices against potential market access and premium prices associated with sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adopt soil conservation practices may divert attention and resources from traditional production methods.

+

Short-Term Costs vs. Long-Term Benefits: Balancing the short-term financial implications of transitioning to soil conservation with the potential long-term benefits in terms of soil health, productivity, and environmental sustainability.

+

Addressing these risks and trade-offs requires careful planning, collaboration, and a long-term perspective from both buyers and suppliers in the procurement process.

",

Direct

,

Direct

,

Conservation agriculture- Case studies in Latin America and Africa (fao.org)

+22,Supplier Capability Building,"

Definition

+

Build supplier capabilities when internal or external analysis identifies gaps in delivering sustainability outcomes. Direct investment may be the most effective way to manage risks and secure competitive sourcing.

","

Enabling effective implementation of supplier capacity-building initiatives in a procurement organization involves conducting a thorough needs assessment, defining clear objectives, integrating initiatives into the overall procurement strategy, allocating sufficient resources, establishing transparent communication channels, building collaborative partnerships, developing targeted training programs, leveraging technology, implementing robust monitoring and evaluation mechanisms, and incorporating recognition and incentives, ensuring a conducive environment for suppliers' skill development and overall capacity improvement.

","

When is this a strategic choice?

+

When the spend category is business critical, based on the outcomes of the Incorporate Business Strategy intervention, and when a gap in supplier capability, identified in the Supplier Segmentation, has been identified as critical to overcome for optimising costs, ensuring security of supply, or mitigating risks.

+

What it means:

+

This will require resource either directly from a buyer’s business or to support identifying an implementation partner for a supplier.

+

• Direct resource could include providing direct funding through procurement-driven sustainability investments, providing technical know-how, or supporting the supplier to build quality assurance capability.

+

• Implementation partners could include, for example, identifying in-country partners to work directly with smallholder farmers to coordinate smallholder crop production improvement activities.

","

1. Income Perspective

+

All aspects of supplier capacity building will help farmers to increase their income. Enhanced productivity, improved product quality and market access, and access to financial resources all contribute to the potential for increased sales and profits. Additionally, longer-term partnerships can provide more predictable income streams for farmers.

+

2. Environment Perspective

+

Capacity building that promotes sustainable practices and efficient resource utilization fostincs environmentally-friendly farming. This doesn't just benefit the environment but also the farmers, as such practices can lead to healthier soil, increased resilience to climate change, and potential eligibility for certain grants or subsidies.

","

1. Buyer Perspective

+

Risks

+

Resource Intensity: Implementing capacity-building initiatives may require significant time and resources, impacting the buyer's budget and operational efficiency.

+

Dependency on Suppliers: Developing strong supplier capabilities may create a dependency on key suppliers, posing a risk in case of supplier-related disruptions.

+

Unrealized Returns: Despite investments, there is a risk that the expected returns in terms of improved supplier performance may not be fully realized.

+

Trade-offs

+

Short-Term vs. Long-Term Impact: Buyers may face the trade-off between addressing immediate procurement needs and making long-term investments in supplier capacity building. Balancing short-term requirements with the long-term impact on supplier capabilities is essential.

+

Cost vs. Quality in Capacity Building: Buyers may need to decide on the level of investment in supplier capacity building, considering the trade-off between cost considerations and the quality of the capacity-building initiatives. Striking the right balance ensures cost-effectiveness without compromising quality.

+

Speed vs. Thoroughness: Buyers may prioritize swift capacity-building initiatives, but this may come at the expense of a more comprehensive and thorough approach. Deciding between speed and thoroughness involves assessing the urgency of capacity building against the need for a robust program.

+

Focus on Strategic Suppliers vs. Inclusivity: Buyers may need to decide whether to concentrate capacity-building efforts on strategic suppliers or adopt a more inclusive approach. Balancing strategic focus with inclusivity requires assessing the impact on the entire supply chain.

+

2. Supplier Perspective:

+

Risks

+

Resource Strain: Suppliers may face resource strain in adapting to capacity-building requirements, especially if the initiatives demand substantial investments.

+

Dependence on Buyer's Strategy: Suppliers investing in capacity building may become overly dependent on the buyer's strategy, risking vulnerability if the buyer's priorities shift.

+

Competitive Imbalances: Capacity-building initiatives may inadvertently create imbalances among suppliers, impacting competition within the supplier base.

+

Trade-offs

+

Operational Disruption vs. Long-Term Benefits: Suppliers may face operational disruption during capacity-building initiatives, but they must weigh this against the long-term benefits of enhanced capabilities. Striking a balance involves managing short-term challenges for long-term gains.

+

Resource Allocation vs. Day-to-Day Operations: Suppliers may need to allocate resources to capacity building, impacting day-to-day operations. Deciding on the appropriate level of resource allocation involves considering the trade-off between immediate operational needs and building long-term capabilities.

+

Specialized Training vs. General Skills Enhancement: Suppliers may choose between providing specialized training for specific requirements or offering more general skills enhancement. Balancing these options requires assessing the trade-off between meeting immediate needs and building a versatile skill set.

+

Strategic Alignment vs. Independence: Suppliers may need to align strategically with the buyer's goals during capacity building, but this may affect their independence. Deciding the extent of strategic alignment involves evaluating the trade-off between collaboration and maintaining autonomy.

",

Indirect

,

Direct

,"

One of the key learning from IDH Interview sessions

+

https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf

" +23,Supplier Segmentation,"

Definition

+

Segment suppliers according to their sustainability commitment maturity and capability to support sustainability goals, identifying those best positioned to deliver strategic outcomes.

","

To effectively implement Supplier Segmentation in a procurement organization, key enabling conditions and prerequisites include establishing a comprehensive category calibration, evaluating business requirements, and developing strategic category strategies. Additionally, integrating supplier lifecycle management, ensuring effective accreditation, streamlining qualification and onboarding processes, and employing a structured segmentation approach based on criteria like performance, risk, innovation potential, geography, product category, and spend size are essential. Utilizing questionnaires, conducting regular segmentation analyses, implementing robust performance and risk management, and fostering proactive supplier development and innovation initiatives contribute to a successful Supplier Segmentation framework aligned with organizational goals.

","

Analyse suppliers based on their public disclosures or those shared in confidence with respect to sustainability commitments, strategies, KPIs, policies and actions. If you have conducted a Supplier Sustainability Assessment, the outputs of this will directly feed into this.

+

Create a simple 2x2 matrix to plot suppliers along two axes:

+

o Capability (e.g. business size, evidence of sustainability knowledge)

+

o Commitment (e.g. sustainability commitments, policies in place, actions to prevent or mitigate risks)

+

Use this segmentation to generate insights beyond cost. This could include risk exposure or risk reduction that suppliers may bring, even in areas not traditionally assessed in supplier evaluations.

+

Prioritise commitment over capability. Highly capable suppliers may lack meaningful sustainability commitments. Understanding this balance is critical to evaluating whether a supplier’s cost competitiveness is outweighed by the sustainability risks they may pose.

","

1. Income Perspective

+

Fair Pricing: Supplier segmentation allows farmers to be categorized based on factors like product quality, yield, and reliability. This enables fair pricing mechanisms, ensuring that farmers with high-quality products receive competitive prices, contributing to increased income.

+

Market Access Opportunities: By segmenting farmers, businesses can identify high-performing ones and provide them with increased market access, leading to expanded opportunities for sales and improved income.

+

2. Environment Perspective

+

Sustainable Practices Recognition: Supplier segmentation can incorporate criteria related to sustainable farming practices. Farmers engaged in environmentally friendly and sustainable methods may be recognized and rewarded, encouraging broader adoption of eco-friendly practices.

+

Environmental Impact Mitigation: By categorizing suppliers based on environmental impact, businesses can work collaboratively with farmers to implement practices that reduce the overall environmental footprint, contributing to sustainable agriculture.

","

1. Buyer Perspective

+

Risks

+

Limited Supplier Diversity: Rigorous segmentation may limit supplier diversity, potentially reducing the pool of available suppliers and limiting competitive advantages.

+

Overreliance on Segmentation Criteria: Overreliance on specific criteria for segmentation may result in overlooking emerging suppliers or failing to adapt to dynamic market conditions.

+

Complexity in Management: Managing multiple segmented supplier groups may introduce complexity and require additional resources for effective oversight.

+

Trade-offs

+

Efficiency vs. Tailored Services: Buyers implementing supplier segmentation may face the trade-off between achieving procurement efficiency through standardized processes and offering tailored services to specific supplier segments. Striking the right balance involves optimizing efficiency while meeting the unique needs of diverse suppliers.

+

Cost Savings vs. Supplier Relationships: Buyers segmenting suppliers for cost savings may need to balance this with the goal of maintaining strong relationships with strategic suppliers. The challenge is to achieve savings without compromising valuable partnerships.

+

Risk Mitigation vs. Supplier Innovation: Buyers may segment suppliers for risk mitigation purposes, but this could impact the potential for supplier-driven innovation. The trade-off involves managing risks while fostering an environment that encourages supplier innovation.

+

Standardization vs. Supplier Diversity: Buyers aiming for standardization in procurement processes may need to balance this with the objective of promoting supplier diversity. The challenge is to standardize processes while supporting a diverse supplier base.

+

2. Supplier Perspective

+

Risks

+

Exclusion from Opportunities: Strict segmentation criteria may lead to the exclusion of certain suppliers, limiting their access to procurement opportunities and potentially hindering their growth.

+

Increased Competition within Segments: As buyers focus on specific criteria, suppliers within a segment may face increased competition, potentially affecting profit margins.

+

Uncertain Market Positioning: Suppliers may face uncertainty in understanding their market positioning within segmented categories, affecting their strategic planning.

+

Trade-offs

+

Fair Access vs. Specialized Opportunities: Suppliers may desire fair access to procurement opportunities but must balance this with the potential benefits of specialized opportunities within specific segments. The challenge involves ensuring equal opportunities while recognizing the value of specialization.

+

Stability vs. Competitive Bidding: Suppliers in segmented categories may seek stability in contracts, but this could conflict with the competitive nature of bidding processes. The trade-off involves pursuing stable relationships while adapting to competitive procurement dynamics.

+

Innovation vs. Compliance Requirements: Suppliers may desire to innovate in their offerings, but strict compliance requirements within segmented categories may limit this. Striking a balance involves fostering innovation within the framework of compliance obligations.

+

Collaboration vs. Independence: Suppliers in collaborative segments may value partnerships, but this could conflict with the desire for independence in certain business aspects. The challenge is to collaborate effectively while respecting the autonomy of suppliers.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

" +24,Supplier Sustainability Assessment,"

Definition

+

Assess suppliers' public commitments to sustainability across climate, human rights, biodiversity, and nature. Use this data to inform Supplier Segmentation.

","

Enabling conditions for supplier sustainability assessment in a procurement organization include:

+

Clear Sustainability Criteria: Establish well-defined and comprehensive sustainability criteria that cover environmental, social, and economic aspects, providing a clear framework for supplier assessments.

+

Clear Sustainability Criteria: Establish well-defined and comprehensive sustainability criteria that cover environmental, social, and economic aspects, providing a clear framework for supplier assessments.

+

Collaborative Standards: Engage with industry organizations, NGOs, or sustainability initiatives to leverage established standards and frameworks for supplier sustainability, ensuring alignment with recognized best practices.

+

Data Transparency: Encourage suppliers to provide transparent and accurate data on their sustainability practices, facilitating a more thorough and reliable assessment process.

+

Capacity Building Support: Offer training programs and resources to suppliers, enabling them to enhance their sustainability practices and meet the criteria set by the procurement organization.

+

Supply Chain Mapping: Implement supply chain mapping tools to gain visibility into the entire supply chain, allowing for a more comprehensive assessment of the environmental and social impacts associated with suppliers.

+

Risk Mitigation Strategies: Develop strategies to address identified sustainability risks within the supply chain, incorporating contingency plans and collaborative initiatives with suppliers to mitigate potential issues.

+

Continuous Monitoring: Implement ongoing monitoring mechanisms to track supplier sustainability performance over time, allowing for the identification of trends, areas for improvement, and recognition of exemplary practices.

+

Internal Accountability: Establish internal mechanisms and responsibilities within the procurement organization to ensure accountability for sustainability assessments, fostering a culture of commitment to responsible sourcing.

+

Supplier Feedback Loops: Create channels for open communication and feedback between procurement organizations and suppliers, encouraging a collaborative approach to sustainability improvement.

+

Technology Integration: Utilize advanced technologies, such as blockchain or digital platforms, to enhance transparency, traceability, and the efficiency of supplier sustainability assessments.

+

Diversity and Inclusion: Integrate diversity and inclusion criteria into supplier assessments, considering social aspects such as fair labor practices, gender equality, and community engagement.

+

Benchmarking and Recognition: Implement benchmarking mechanisms to compare supplier sustainability performance within the industry and recognize and reward top-performing suppliers.

+

Performance Incentives: Establish incentive structures that motivate suppliers to go beyond compliance and excel in sustainability, offering recognition, preferential treatment, or collaborative opportunities for high-performing suppliers.

+

Third-Party Verification: Consider engaging third-party organizations or auditors to verify and validate supplier sustainability claims, enhancing the credibility and reliability of the assessment process.

+

These additional conditions contribute to a more nuanced and comprehensive approach to supplier sustainability assessment within procurement organizations.

+

Collaborative Standards: Engage with industry organizations, NGOs, or sustainability initiatives to lever

","

Understanding whether suppliers are internalising sustainability risks is critical to identifying the risks they may expose a buyer’s business to.

+

As part of external analysis, review publicly available supplier information, or information shared in confidence by the supplier, (e.g. sustainability commitments, strategies, policies, codes of conduct) and create a simple table capturing evidence of the following:

+

• Material sustainability risk assessment linked to sourcing practices

+

• Environmental impact policies and prevention measures (e.g. climate, deforestation, water, nature)

+

• Human rights due diligence in the upstream supply chain, including:

+

o Conducting a human rights impact assessment

+

o Awareness and actions to prevent forced labour

+

o Awareness and actions to prevent child labour

+

o Living wage/income considerations

+

o Consideration of Free Prior Informed Consent regarding Indigenous Communities and land rights

","

1. Environmental Perspective:

+

Promotion of Sustainable Farming Practices: Supplier sustainability assessments encourage farmers to adopt sustainable practices to meet the criteria set by agri-food companies. This leads to environmental benefits such as reduced pesticide use, soil conservation, and biodiversity preservation.

+

Climate Resilience: Aligning with sustainable farming practices contributes to climate resilience, reducing environmental risks associated with extreme weather events and fostering long-term sustainability.

+

2. Income Perspective:

+

Access to Premium Markets: Farmers adhering to sustainability criteria in supplier assessments gain access to markets that prioritize sustainable sourcing. This can result in premium pricing for their products, contributing to increased income and improved profitability.

+

Cost Savings: Sustainable farming practices promoted by supplier sustainability assessments often lead to cost savings over time. This includes efficient resource use, reduced input costs, and increased overall efficiency.

+

3. Risk Perspective:

+

Market Viability: Supplier sustainability assessments ensure that farmers align with market expectations for environmentally and socially responsible practices. This enhances the market viability of their products, reducing the risk of market exclusion or loss of business opportunities.

+

Long-Term Viability: By meeting sustainability criteria, farmers contribute to their own long-term viability. This includes securing market access, adapting to changing consumer preferences, and reducing vulnerability to environmental risks.

+

4. Link to Procurement Organizations:

+

For farmers, the link to procurement organizations lies in their ability to meet the sustainability criteria set by agri-food companies. Procurement organizations play a central role in establishing and communicating these criteria, shaping the practices and behaviors of the farmers within the supply chain. This ensures that the entire supply chain, from farmers to end consumers, adheres to sustainability principles.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruption: To mitigate disruption risks, buyers should strategically diversify their supplier base, balancing sustainability criteria with the need for a resilient and varied supply chain.

+

Increased Costs: Buyers can negotiate with suppliers, emphasizing cost-effectiveness while encouraging sustainable practices to manage procurement expenses effectively.

+

Limited Supplier Innovation: Buyers should actively engage with smaller suppliers, fostering innovation by providing support and guidance to help them meet sustainability criteria.

+

Trade-offs

+

Cost vs. Sustainability: Buyers must strategically navigate the trade-off, making informed compromises to achieve both financial and environmental goals without compromising overall sustainability objectives.

+

Supplier Diversity vs. Sustainability: Achieving a balance between sustainability and supplier diversity requires careful consideration, especially in regions or industries where meeting sustainability standards may be challenging.

+

Time-to-Market vs. Sustainability: Buyers need to find a balance between selecting sustainable suppliers and meeting time-to-market goals, ensuring that sustainability efforts do not unduly extend procurement timelines.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers can manage financial strain by seeking collaborative partnerships with buyers, exploring cost-sharing models for sustainable investments to alleviate potential economic burdens.

+

Competitive Disadvantage: Suppliers with lower sustainability scores should focus on improving practices to avoid losing business opportunities, highlighting the value of sustainable offerings to remain competitive.

+

Compliance Challenges: Suppliers facing compliance challenges should engage with buyers to streamline diverse sustainability standards, ensuring a more manageable and efficient adherence process.

+

Trade-offs

+

Cost vs. Sustainability: Suppliers must strategically balance the trade-off, seeking innovative and cost-effective solutions to implement sustainable practices without compromising competitiveness.

+

Innovation vs. Compliance: Suppliers can navigate the trade-off by integrating sustainability into their innovation agenda, demonstrating that both innovation and compliance can coexist harmoniously.

+

Market Access vs. Sustainability: Suppliers targeting international markets must weigh the benefits of market access against the costs of adapting to sustainability requirements, aligning their strategies with evolving global standards.

",

Indirect

,

Indirect

,"1. https://www.thecasecentre.org/products/view?id=158170
+2. https://www.thecasecentre.org/products/view?id=106959
+3. https://www.thecasecentre.org/products/view?id=145470
+4. https://www.thecasecentre.org/products/view?id=170954
+5. https://www.thecasecentre.org/products/view?id=120895
+6. https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf
" +25,Value Chain Visibility,"

Definition

+

Establish full traceability back to the origin of materials. This is critical to identifying environmental and human rights risks at the source, particularly at the farm level. Without this visibility, sustainability risks and strategic procurement decisions cannot be fully informed.

","

To implement effective Supply Chain Traceability in a procurement data analytics context, a procurement organization should focus on prerequisites such as establishing a robust data analytics infrastructure, formulating a clear integration strategy (e.g., Blockchain as an example), ensuring data standardization and interoperability, fostering collaboration with suppliers, utilizing transparent and immutable data records, encouraging cross-functional collaboration, investing in relevant education, implementing security and privacy measures, planning for scalability, complying with legal and regulatory requirements, and establishing continuous monitoring and improvement practices.

","

Establishing visibility of the full value chain is foundational to being able to identify risks and opportunities upon which to make strategic procurement decisions.

+

Building this visibility does not have to mean investing immediately in traceability software tools, it can start with the existing relationships you have with your direct suppliers. Questions that it may be helpful to start exploring with your direct suppliers are:

+

• How may tiers are in their supply chain? Do they know the countries these tiers are based in?

+

• Do they know where farm-level production is happening and the characteristics of this farming e.g. small holder, plantation, commercial farming?

+

• Does the supplier know whether and how their value chain is likely to evolve in the next five years? This can help surface whether the supply chain is stable or unstable.

+

Why are these questions relevant?

+

• The country of production and farm characteristics will impact the probability and severity of environmental and social risks

+

• Understanding whether and how a supply chain is expected to evolve in the next five years helps to surface whether there is instability in either the supply chain or the supplier’s approach to it.

+

• If a supplier has blind spots about their supply chain, this flags the possibility of material sustainability risks within their supply chain. The supplier may lack the capability or inclination to understand their own supply chain and take action to identify and mitigate risks within it. If the supplier lacks this ability, it will be harder for actors further down the value chain, e.g. manufacturers and retailers, to understand and mitigate their own risks.

+

Establishing and maintaining value chain visibility can help enable early identification or risks and proactive management of them.

","

Income Perspective

+

Market Access and Premium Pricing: Value chain visibility allows farmers to demonstrate the origin, quality, and sustainability of their produce, strengthening competitiveness. This can open access to new markets and premium pricing, increasing income.

+

Efficient Resource Allocation: Farmers can use visibility data to optimize production processes, reduce inefficiencies, and cut waste, improving profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Greater visibility across the value chain encourages farmers to adopt practices that align with buyer sustainability goals, such as reduced chemical use, efficient water management, and biodiversity protection.

+

Reduced Environmental Footprint: By leveraging data to minimize waste and use resources efficiently, farmers lower their environmental footprint and contribute to more responsible production systems.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing traceability measures, especially with advanced technologies, may lead to increased procurement costs, impacting the overall budget.

+

Data Security Concerns: Storing sensitive traceability data poses potential security risks, including data breaches or unauthorized access.

+

Supplier Resistance: Suppliers may resist sharing detailed information, fearing increased scrutiny or potential competitive disadvantages.

+

Trade-offs

+

Cost Efficiency vs. Enhanced Traceability: Buyers may face the trade-off between achieving cost efficiency in the supply chain and investing in enhanced traceability measures. Striking the right balance involves optimizing costs while ensuring transparency and traceability.

+

Complexity vs. Simplicity in Supply Chains: Buyers aiming for traceability may need to balance the complexity associated with detailed supply chain tracking and the simplicity required for streamlined operations. The challenge is to implement traceability without overly complicating processes.

+

Supplier Collaboration vs. Independence: Buyers may seek collaboration with suppliers for improved traceability, but this could conflict with the desire for supplier independence. The trade-off involves fostering collaboration while respecting supplier autonomy.

+

Risk Mitigation vs. Agility: Buyers may implement traceability for risk mitigation, but this could impact the agility of the supply chain. Striking the right balance involves managing risks while maintaining a flexible and responsive supply chain.

+

2. Supplier Perspective

+

Risks

+

Increased Reporting Burden: Suppliers may face additional reporting requirements, leading to increased administrative burdens and potential operational disruptions.

+

Technology Adoption Challenges: Suppliers may encounter challenges in adopting the required technologies for traceability, affecting their ability to comply.

+

Competitive Disadvantage: Suppliers may perceive that sharing detailed traceability data could lead to a competitive disadvantage in the marketplace.

+

Trade-offs

+

Investment in Technology vs. Cost Management: Suppliers may face the trade-off between investing in technology for traceability and managing overall costs. The challenge is to adopt traceability measures without significantly impacting the financial aspects of operations.

+

Transparency vs. Confidentiality: Suppliers providing traceability data may need to balance transparency with the need to protect confidential business information. The trade-off involves sharing relevant information while safeguarding proprietary details.

+

Regulatory Compliance vs. Market Competitiveness: Suppliers may need to comply with traceability regulations, but this could impact market competitiveness. Striking the right balance involves meeting regulatory requirements while remaining competitive in the marketplace.

+

Resource Allocation vs. Traceability Standards: Suppliers may allocate resources for meeting traceability standards, and this must be balanced against other operational needs. The trade-off involves optimizing resource allocation for both traceability compliance and overall efficiency.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

" +26,Selecting a sustainability certification,"

Definition

+

Choose sustainability certifications that help meet corporate commitments and/or implement procurement goals. For some commodities, certified supplies are readily available.

","

To effectively implement Sustainable Agricultural Certification Premiums in procurement, prerequisites include establishing clear criteria, collaborating with certification bodies, educating suppliers, designing a transparent premium structure, implementing monitoring systems, ensuring financial capacity, complying with legal standards, promoting certification benefits, fostering stakeholder collaboration, and establishing a continuous improvement feedback loop. This systematic approach creates a conducive environment for successful premium programs, encouraging sustainable farming practices and supplier participation.

","

When is this a strategic choice?

+

When the value chain risk assessment has surfaced potential risks in the supply chain of certain commodities, and an existing sustainability certification exists than provides sufficient assurance that this risk is mitigated in the supply chain of certified goods.

+

What it means:

+

Sustainability certifications can provide assurance that certain impacts are being mitigated in the supply chain of a certain commodity. In some instances, sourcing certified goods can be a quicker and less costly alternative to mitigating environmental and social risks in the supply chain from scratch. Additionally, some downstream actors like brand manufacturers or retailers may require certain certifications to purchase from you, creating a commercial need to purchase certified goods.

+

Some commodities have existing certifications that provide assurance for known high-risk impacts. For example, the RSPO certification for palm oil focuses or the Rainforest Alliance certification for Cocoa provide assurance that deforestation is being mitigated in the supply chain. However, it is important to note that these certifications may not cover all risks in a supply chain. For the Cocoa supply chain, for example, more expensive and direct actions may be needed to ensure actions to mitigate against child labour risks.

+

It is important to assess whether the sustainability certification is fit to deliver the desired outcomes. This assessment may include:

+

o Checking the commodities in scope and availability in your current, potential, or future sourcing market of the certification scheme.

+

o Benchmarking and understanding sustainability certification schemes in terms of sustainability impacts addressed. The ITC standards map benchmarks the majority of sustainability standards.

+

o Governance of the standard is a key factor to understand; ISEAL members all have credible governance in place.

+

o Understanding the different chains of custody models; segregated or mass balance.

+

Watch out: As a business to ensure the continued impact of a certification scheme is aligned to delivering the impact identified in your strategic choice, this will require partnering closely with the certification scheme owner.

","

Income Perspective

+

Choosing the right certification can secure access to markets that reward sustainable production with better prices and stronger demand. Certification can also provide more stable buyer relationships and opportunities for higher sales and profits.

+

Environmental Perspective

+

Sustainability certifications guide farmers toward practices that improve soil, water, and biodiversity outcomes. Financial incentives and market rewards help offset the costs of adoption, making it more feasible to implement practices that deliver long term environmental benefits.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing sustainable agricultural certification premiums may lead to higher procurement costs, impacting the buyer's budget.

+

Limited Supplier Pool: Stringent sustainability criteria may reduce the pool of eligible suppliers, potentially limiting sourcing options.

+

Complex Certification Processes: Suppliers may face challenges navigating complex certification processes, leading to delays or non-compliance.

+

Trade-offs

+

Sustainability vs. Cost Efficiency: Buyers may face the trade-off between supporting sustainable agricultural practices and maintaining cost efficiency in procurement. Striking the right balance involves integrating sustainability without compromising overall cost-effectiveness.

+

Premium Costs vs. Competitive Pricing: Buyers offering sustainable agricultural certification premiums may need to balance the costs associated with premiums against the need for competitive pricing. The trade-off involves supporting sustainability while remaining competitive in the market.

+

Supplier Diversity vs. Certification Requirements: Buyers aiming for supplier diversity may encounter the trade-off between fostering a diverse supplier base and ensuring compliance with specific certification requirements. The challenge is to balance diversity goals with certification standards.

+

Short-Term Costs vs. Long-Term Sustainability: Buyers must decide between incurring short-term premium costs for sustainable agricultural practices and realizing long-term sustainability benefits. Striking the right balance involves aligning short-term investment with broader sustainability objectives.

+

2. Supplier Perspective

+

Risks

+

Financial Strain: Adhering to sustainable agricultural practices for premium eligibility may strain suppliers financially, especially for smaller entities.

+

Competitive Disadvantage: Suppliers not meeting premium criteria may face a competitive disadvantage in bidding for contracts.

+

Risk of Unfair Evaluation: Suppliers may feel unfairly evaluated if certification processes are unclear or subject to frequent changes.

+

Trade-offs

+

Compliance Costs vs. Profitability: Suppliers may face the trade-off between incurring additional costs to meet sustainable certification requirements and maintaining overall profitability. The challenge is to manage compliance costs while ensuring a viable and profitable business model.

+

Market Access vs. Certification Investments: Suppliers must decide between investing in sustainable certifications for access to markets with stringent requirements and balancing these investments with other business needs. Striking the right balance involves meeting market demands while ensuring financial viability.

+

Resource Allocation vs. Certification Standards: Suppliers may need to allocate resources effectively to meet certification standards, but this must be balanced against the potential impacts on overall resource allocation. The trade-off involves optimizing resources for both certification compliance and operational efficiency.

+

Risk Mitigation vs. Market Competitiveness: Suppliers may prioritize risk mitigation through sustainable certifications but must balance this with remaining competitive in the market. The challenge involves managing risks while staying competitive in the procurement landscape.

",

Direct

,

Direct

,

With and beyond sustainability certification: Exploring inclusive business and solidarity economy strategies in Peru and Switzerland - ScienceDirect

+27,Sustainable water management,"

Definition

+

Sustainable water management is the approach and actions taken to ensure that water is withdrawn, consumed and discharged in a sustainable way. It is particularly important in locations of water scarcity to ensure the supply chain, environment and dependent communities are not negatively impacted by water-related issues.

+

Make sustainable water management a strategic priority where water scarcity is identified through internal commitments or traceability to origins with limited water resources, impacting supply security.

","

1. Enabling Conditions for Sustainable Water Management in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers practicing sustainable water management, emphasizing water efficiency and conservation.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of sustainable water management practices and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to sustainable water management, fostering partnerships, and incentivizing the adoption of water-efficient practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify sustainable water management practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing sustainable water management to promote stability and incentivize continued commitment to responsible water use.

+

2. Enabling Conditions for Sustainable Water Management on a Farm Level:

+

Water-Use Planning: Development of comprehensive water-use plans on farms, incorporating efficient irrigation methods, rainwater harvesting, and other sustainable water management practices.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective water management practices, optimizing water use efficiency and minimizing waste.

+

Financial Incentives: Provision of financial incentives or favorable payment terms for farmers adopting sustainable water management practices, supporting their financial viability during the transition.

+

Water Conservation Technologies: Adoption of water-saving technologies, such as drip irrigation or soil moisture sensors, to enhance water efficiency on farms.

+

Community Engagement: Engagement with local communities and agricultural extension services to raise awareness of sustainable water management benefits, build support, and encourage widespread adoption.

+

For both procurement organizations and farmers, successful implementation of sustainable water management requires a commitment to efficient practices, collaborative relationships, ongoing education, and the integration of water conservation principles into the core of farming and procurement strategies.

","

When is this a strategic choice?

+

When you, as the buyer, have a clear understanding of current and future sourcing origins and recognise that without sustainable water management, there is a high risk of supply disruption. Water management may feature in internal commitments and/or the value chain risk assessment may have identified locations in the supply chain with limited water resources, negatively impacting supply security.

+

What it means:

+

• As a buyer you are confident you and/or your supplier is capable of engaging farmers and stakeholders at the catchment level to collectively monitor, manage, and invest in water resources to meet shared sustainability goals.

+

• As a buyer you are confident your supplier works with farm-level partners who can implement water management and stewardship actions, supported by appropriate technology and infrastructure for ongoing maintenance. For example, precision irrigation technologies that apply the right amount of water at the right time.

+

• As a buyer you are prepared to provide additional support where required, including investment capital.

+

• This approach relies on suppliers maintaining long-term, trust-based relationships with producers at the farm level.

","

1. Environmental Perspective:

+

Water Conservation: Sustainable water management practices, such as precision irrigation and rainwater harvesting, contribute to water conservation, ensuring the long-term availability of water resources.

+

Ecosystem Health: Responsible water usage supports the health of aquatic ecosystems and biodiversity, contributing to overall environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: Water-efficient practices lead to cost savings for farmers by reducing expenses related to water use, such as energy costs for irrigation and investments in water infrastructure.

+

Market Access: Adopting sustainable water management practices may provide farmers with access to markets that prioritize sustainably produced goods, potentially leading to premium prices and increased income.

+

3. Risk Perspective:

+

Climate Resilience: Sustainable water practices enhance the resilience of farming operations to climate-related risks such as droughts or erratic rainfall patterns.

+

Regulatory Compliance: Adhering to sustainable water practices helps farmers comply with evolving water usage regulations, reducing the risk of legal and regulatory challenges.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to markets and resources. By supporting and incentivizing the adoption of sustainable water management practices, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Buyers must address potential disruptions in the supply chain caused by changes in agricultural production due to sustainable water management, implementing strategies to ensure consistent product availability.

+

Higher Costs: Buyers need to manage potential increases in product prices resulting from the additional costs for suppliers practicing sustainable water management, seeking cost-effective procurement strategies.

+

Certification Challenges: Buyers should anticipate and address challenges related to ensuring adherence to sustainable water management certification standards, implementing robust monitoring and verification processes.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance potential cost implications of sustainable water management with the desire to support environmentally responsible sourcing practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Resource Conservation: Striking a balance between ensuring a consistent supply from traditional sources and the conservation of water resources through sustainable practices requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and resource conservation.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers implementing sustainable water management practices must address potential financial strain associated with higher initial costs, implementing financial planning strategies.

+

Transition Period Challenges: Suppliers need to manage challenges during the initial phases of adopting new water management practices, ensuring minimal impact on product yields and consistency.

+

Market Access Concerns: Suppliers may face challenges accessing markets that prioritize traditional, non-sustainable products, requiring strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of implementing sustainable water management against potential market access and premium prices associated with sustainable practices, making decisions that align with long-term market strategies.

+

Innovation vs. Tradition: Allocating resources to adopt sustainable water management practices may divert attention and resources from traditional farming methods, requiring suppliers to find a balance that aligns with their innovation goals and traditional practices.

+

Crop Yield vs. Water Conservation: Balancing the desire for higher crop yields with the commitment to water conservation and sustainability may necessitate trade-offs, requiring suppliers to prioritize sustainability without compromising productivity goals.

",

Direct

,

Direct

,"1. https://www.worldwildlife.org/industries/sustainable-agriculture
+2. https://www.worldbank.org/en/topic/water-in-agriculture
+3. https://www.fao.org/3/i7959e/i7959e.pdf
+4. https://www.sciencedirect.com/science/article/abs/pii/S0959652619322346
+5. https://agupubs.onlinelibrary.wiley.com/doi/full/10.1002/2014WR016869
+6. https://www.nestle.com/sustainability/water/sustainable-water-efficiency-agriculture
" diff --git a/backend/source/master/pl_practice_intervention_tag.csv b/backend/source/master/pl_practice_intervention_tag.csv new file mode 100644 index 00000000..064ee711 --- /dev/null +++ b/backend/source/master/pl_practice_intervention_tag.csv @@ -0,0 +1,97 @@ +practice_intervention_id,attribute_id +1,4 +1,8 +1,9 +2,1 +2,6 +2,8 +2,12 +2,14 +2,11 +2,13 +3,4 +3,6 +4,3 +4,6 +4,9 +5,2 +5,6 +5,7 +5,9 +5,10 +5,12 +5,14 +5,11 +5,13 +6,4 +6,9 +7,4 +7,6 +7,8 +8,4 +8,6 +8,9 +9,3 +9,7 +9,9 +10,4 +10,6 +11,4 +11,6 +11,7 +11,9 +12,4 +12,6 +13,4 +13,6 +13,9 +14,3 +14,5 +14,9 +15,3 +16,3 +16,6 +17,3 +17,8 +17,9 +18,3 +18,5 +18,6 +18,7 +18,8 +18,9 +19,3 +19,6 +19,9 +20,3 +20,6 +20,9 +21,4 +21,6 +21,9 +22,3 +22,7 +22,8 +22,9 +22,10 +23,2 +23,6 +24,2 +24,6 +24,7 +24,9 +25,1 +25,6 +25,7 +25,8 +25,10 +25,12 +25,14 +25,11 +25,13 +26,3 +26,6 +27,3 +27,6 +27,8 +27,9 diff --git a/backend/source/transformer/procurement_library_v2_oct2025/USE-THIS _Sustainable Procurement Practices Library_Updated Changes_October 2025_1 to 5 ranking.xlsx b/backend/source/transformer/procurement_library_v2_oct2025/USE-THIS _Sustainable Procurement Practices Library_Updated Changes_October 2025_1 to 5 ranking.xlsx new file mode 100644 index 00000000..ac9b1651 Binary files /dev/null and b/backend/source/transformer/procurement_library_v2_oct2025/USE-THIS _Sustainable Procurement Practices Library_Updated Changes_October 2025_1 to 5 ranking.xlsx differ diff --git a/backend/source/transformer/procurement_library_v2_oct2025/output/pl_attribute.csv b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_attribute.csv new file mode 100644 index 00000000..ea0a1904 --- /dev/null +++ b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_attribute.csv @@ -0,0 +1,15 @@ +id,category_id,label,description +1,1,Step 1. Internal analysis, +2,1,Step 2. External analysis, +3,1,Step 3. Strategic choices, +4,1,Step 4. Implementation, +5,2,1. Longer-term purchasing agreements, +6,2,2. Improved payment terms and higher (farmgate) prices), +7,2,3. Develop and deepen equitable supply chain relationships, +8,2,4. Improve efficiency and enhance transparency, +9,2,5. Reduce volatility and risk for farmers, +10,3,Farmer, +11,3,Manufacturer/ Processor, +12,3,Primary/ Secondary Processor, +13,3,Retailer, +14,3,Trader, diff --git a/backend/source/transformer/procurement_library_v2_oct2025/output/pl_category.csv b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_category.csv new file mode 100644 index 00000000..c13e2328 --- /dev/null +++ b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_category.csv @@ -0,0 +1,4 @@ +id,name,description +1,Sourcing Strategy Cycle, +2,Sustainable Procurement Principle, +3,Value Chain Actor, diff --git a/backend/source/transformer/procurement_library_v2_oct2025/output/pl_indicator.csv b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_indicator.csv new file mode 100644 index 00000000..06f1fcc4 --- /dev/null +++ b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_indicator.csv @@ -0,0 +1,5 @@ +id,name,label,description +1,implementation_time,Implementation Time, +2,implementation_cost_effort,Implementation Cost / Effort, +3,income_impact,Income Impact, +4,environmental_impact,Environmental Impact, diff --git a/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_indicator_score.csv b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_indicator_score.csv new file mode 100644 index 00000000..4a4da720 --- /dev/null +++ b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_indicator_score.csv @@ -0,0 +1,109 @@ +id,practice_intervention_id,indicator_id,score +1,1,1,5.0 +2,1,2,3.0 +3,1,3,5.0 +4,1,4,5.0 +5,2,1,1.0 +6,2,2,1.0 +7,2,3,5.0 +8,2,4,5.0 +9,3,1,1.0 +10,3,2,1.0 +11,3,3,5.0 +12,3,4,5.0 +13,4,1,5.0 +14,4,2,3.0 +15,4,3,5.0 +16,4,4,5.0 +17,5,1,2.0 +18,5,2,2.0 +19,5,3,5.0 +20,5,4,5.0 +21,6,1,3.0 +22,6,2,3.0 +23,6,3,5.0 +24,6,4,5.0 +25,7,1,1.0 +26,7,2,1.0 +27,7,3,5.0 +28,7,4,5.0 +29,8,1,3.0 +30,8,2,3.0 +31,8,3,4.0 +32,8,4,5.0 +33,9,1,5.0 +34,9,2,5.0 +35,9,3,5.0 +36,9,4,5.0 +37,10,1,3.0 +38,10,2,3.0 +39,10,3,5.0 +40,10,4,5.0 +41,11,1,2.0 +42,11,2,3.0 +43,11,3,3.0 +44,11,4,3.0 +45,12,1,5.0 +46,12,2,3.0 +47,12,3,3.0 +48,12,4,5.0 +49,13,1,5.0 +50,13,2,3.0 +51,13,3,5.0 +52,13,4,5.0 +53,14,1,2.0 +54,14,2,3.0 +55,14,3,5.0 +56,14,4,5.0 +57,15,1,3.0 +58,15,2,3.0 +59,15,3,5.0 +60,15,4,5.0 +61,16,1,3.0 +62,16,2,2.0 +63,16,3,5.0 +64,16,4,5.0 +65,17,1,3.0 +66,17,2,3.0 +67,17,3,5.0 +68,17,4,5.0 +69,18,1,3.0 +70,18,2,1.0 +71,18,3,5.0 +72,18,4,5.0 +73,19,1,5.0 +74,19,2,3.0 +75,19,3,5.0 +76,19,4,5.0 +77,20,1,5.0 +78,20,2,5.0 +79,20,3,5.0 +80,20,4,5.0 +81,21,1,5.0 +82,21,2,2.0 +83,21,3,5.0 +84,21,4,5.0 +85,22,1,5.0 +86,22,2,4.0 +87,22,3,5.0 +88,22,4,5.0 +89,23,1,1.0 +90,23,2,1.0 +91,23,3,5.0 +92,23,4,5.0 +93,24,1,1.0 +94,24,2,1.0 +95,24,3,5.0 +96,24,4,5.0 +97,25,1,2.0 +98,25,2,2.0 +99,25,3,5.0 +100,25,4,5.0 +101,26,1,3.0 +102,26,2,3.0 +103,26,3,4.0 +104,26,4,4.0 +105,27,1,5.0 +106,27,2,5.0 +107,27,3,5.0 +108,27,4,5.0 diff --git a/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_intervention.csv b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_intervention.csv new file mode 100644 index 00000000..5ca50c68 --- /dev/null +++ b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_intervention.csv @@ -0,0 +1,1191 @@ +id,label,intervention_definition,enabling_conditions,business_rationale,farmer_rationale,risks_n_trade_offs,intervention_impact_income,intervention_impact_env,source_or_evidence +1,Agroecological Practices,"

Definition

+

Implement agroforestry, cover cropping, polyculture, hedgerows, livestock integration, energy efficiency, and renewable energy as part of regenerative agriculture and decarbonization strategies to increase resilience and farmer income.

","

1. Enabling Conditions for Agroforestry in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that promote the inclusion of agroforestry products and support suppliers engaging in agroforestry practices.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of agroforestry benefits and promote the inclusion of agroforestry in sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to agroforestry, fostering partnerships and encouraging the adoption of agroforestry practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify agroforestry practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing agroforestry to promote stability and incentivize continued commitment to sustainable practices.

+

2. Enabling Conditions for Agroforestry on a Farm Level:

+

Land-Use Planning: Development of comprehensive land-use plans that integrate agroforestry components, considering the placement of trees and shrubs within the overall farming system.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing agroforestry practices, optimizing tree-crop interactions, and addressing challenges.

+

Financial Incentives: Provision of financial incentives or favorable payment terms for farmers adopting agroforestry, supporting their financial viability during the transition.

+

Access to Tree Species: Availability of diverse and appropriate tree species for agroforestry, enabling farmers to select trees that complement their specific crops and enhance overall farm productivity.

+

Community Engagement: Engagement with local communities and agricultural extension services to raise awareness of agroforestry benefits, build support, and encourage the adoption of these practices.

+

For both procurement organizations and farms, successful implementation of agroforestry requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of agroforestry principles into the core of farming and procurement strategies.

","

Agroecological Practices are most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Decarbonisation Levers, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of agroecological practices can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers and pesticides

+

• Help enhance yields over the long term through improving the soil and local ecosystem health

+

• Improve carbon sequestration on farms. If appropriately set up, monitored, measured and accounted, this could contribute to business carbon reduction commitments. If certified, it could also create a secondary income stream through farmers selling carbon credits.

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, direct with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

+

Additionally, if there is an income gap during the transition to new practices, the procurement strategy should identify partners or financial mechanisms, such as blended finance, that can bridge this gap, and ensure these are reflected in the Cost of Goods cost model.

","

Environmental Perspective:

+

Soil Health: A mix of trees, cover crops, hedgerows, diverse crops, and livestock manure builds soil organic matter, reduces erosion, improves water infiltration, and strengthens microbial activity.

+

Biodiversity and Ecosystem Services: Integrating woody perennials, field borders, mixed species plantings, and livestock increases habitat for pollinators and natural enemies, strengthens nutrient cycling, and supports carbon storage.

+

Microclimate and Water: Tree rows and borders provide shade and shelter, lower evapotranspiration, and improve water retention and quality across fields.

+

Income Perspective:

+

Diversified Income Streams: Multiple crops, tree products, and livestock add revenue channels across seasons, reducing reliance on a single commodity.

+

Lower Input Costs: Biological nitrogen fixation, manure, weed suppression, and natural pest control cut spend on synthetic fertilizers and pesticides over time.

+

Yield and Quality Gains: Better pollination and soil function can lift yields and product quality, improving market returns and access to sustainability premia where available.

+

Risk Perspective:

+

Operational Stability: Diversity spreads agronomic and market risk and provides feed and forage buffers when a single crop underperforms.

+

Pest and Disease Pressure: Habitat for beneficial insects and crop diversity disrupt pest life cycles and reduce outbreak severity.

+

Climate Resilience: Improved soils and on farm shelter reduce losses from heat, wind, and intense rainfall, supporting production in variable seasons.

+

Link to Procurement Organizations:

+

Agroecological approaches need time to implement. Procurement partners must be committed through a long-term sourcing strategy commitment to farmers. This can enable adoption through multi year purchase commitments, technical support, and co investment in establishment costs such as seedlings, cover crop seed, fencing, and water points. Clear sourcing standards and premia for verified outcomes align farm level incentives with company goals on climate and nature, strengthening supply security and performance.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Complexity: Buyers must address potential challenges in logistics, quality control, and traceability introduced by agroforestry integration, implementing strategies to streamline the supply chain.

+

Variable Crop Yields: Buyers need to manage uncertainties in meeting consistent procurement demands resulting from variable crop yields in agroforestry systems, implementing strategies for demand forecasting and inventory management.

+

Certification Challenges: Buyers should establish robust monitoring and verification processes to address challenges in ensuring adherence to agroforestry certification standards, maintaining credibility in sustainable sourcing.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance potential cost implications of agroforestry with the desire to support sustainable and environmentally friendly sourcing practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Diversity: Striking a balance between ensuring a consistent supply from traditional sources and offering the diversity of products from agroforestry systems requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and variety.

+

2. Supplier Perspective:

+

Risks

+

Initial Investment: Suppliers adopting agroforestry practices must address the financial challenges associated with initial investments in tree planting and farm restructuring, implementing financial planning strategies.

+

Longer Time to Production: Suppliers need to manage the delay in income associated with the longer time to production in agroforestry systems, making strategic decisions to balance short-term financial needs with long-term benefits.

+

Market Access Challenges: Suppliers engaging in agroforestry may face challenges in accessing markets that prioritize traditional, monoculture products, necessitating strategic decisions to overcome barriers and establish market presence.

+

Trade-offs

+

Income Delay vs. Long-Term Benefits: Suppliers must balance the delay in income associated with agroforestry against the long-term benefits, including diversified revenue streams and enhanced sustainability, making decisions that align with their financial goals and long-term vision.

+

Traditional vs. Agroforestry Practices: Suppliers may face trade-offs between traditional farming practices and the adoption of agroforestry, weighing the potential benefits against the challenges, requiring a thoughtful and strategic approach to implementation.

+

Market Access vs. Agroforestry Adoption: Deciding on the extent to which suppliers want to engage with markets that value agroforestry products and balancing it with traditional market access involves trade-offs, requiring a careful evaluation of market dynamics and supplier priorities.

",

Direct

,

Direct

,"1. https://environmentalevidencejournal.biomedcentral.com/articles/10.1186/s13750-018-0136-0
+2. https://ecotree.green/en/blog/what-is-agroforestry-and-why-is-it-good-for-the-environment
+3. https://oxfordre.com/environmentalscience/display/10.1093/acrefore/9780199389414.001.0001/acrefore-9780199389414-e-195
+4. https://onlinelibrary.wiley.com/doi/full/10.1002/cl2.1066
+5. https://www.woodlandtrust.org.uk/media/51622/farming-for-the-future-how-agroforestry-can-deliver-for-nature-climate.pdf
+6. https://www.mdpi.com/1999-4907/13/4/556
" +2,Incorporate Business Strategy Needs,"

Definition

+

Evaluate corporate or brand sustainability commitments or targets. Do this to identify whether any of these may be related to and impacted by procurement decisions, and therefore whether they should be considered in strategy development.

","

To implement effective Business Procurement Requirements Planning, a procurement organization should align its strategies with overall business objectives, foster collaborative stakeholder engagement, establish comprehensive data management systems, invest in technological infrastructure, ensure skilled procurement personnel, provide continuous training, maintain clear documentation and standardization, integrate supplier relations, implement effective risk management, foster flexibility and adaptability, and establish performance metrics for continuous improvement.

","

Corporate or brand sustainability commitments may relate to topics such as climate, human rights, deforestation, water, nature, or circularity. The activities and impacts in the supply chain may directly impact these commitments. Therefore, checking whether they exist and which ones may be relevant is important to ensure alignment with the broader business strategy.

+

It may be helpful to consider the following questions:

+

• How critical is the spend category in delivering business objectives and commitments now and in the next 5 years?

+

• Is the spend category a critical driver for business growth?

+

• If the spend category is not critical for driving the business strategy, it is unlikely ‘sustainability risks’ even if identified, will be significantly important for the business to prioritise for direct mitigation.

+

• How might activities in the supply chain of this spend category link to the sustainability commitments or targets. For example, does the spend category carry risk of deforestation and does this impact business commitments relating to deforestation?

","

Income Perspective

+

Market Access and Fair Pricing: Incorporating business strategy needs ensures that farmers understand demand signals and quality requirements. This creates better market access, fairer prices, and improved income stability.

+

Efficient Resource Utilization: With clearer alignment to buyer strategies, farmers can plan production more effectively, optimize resources, and reduce waste, which strengthens profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Strategic alignment encourages farmers to adopt practices that meet environmental expectations, such as efficient water use, reduced chemical inputs, and enhanced biodiversity.

+

Reduced Environmental Impact: Producing in line with actual demand lowers the risks of surplus, cutting food waste and the environmental footprint of unnecessary resource use.

","

1. Buyer Perspective:

+

Risks

+

Misalignment with Business Objectives: Inadequate alignment of procurement requirements planning with overall business objectives may lead to inefficiencies and missed opportunities.

+

Increased Lead Times: Overly complex planning processes might result in increased lead times, affecting the organization's ability to respond quickly to market changes.

+

Supplier Relationship Strain: Excessive demands in procurement requirements planning may strain relationships with suppliers, potentially impacting collaboration and service levels.

+

Trade-offs

+

Cost Efficiency vs. Quality Requirements: Buyers may face the trade-off between achieving cost efficiency in procurement requirements planning and ensuring stringent quality standards. Striking the right balance involves optimizing costs without compromising the quality of goods or services.

+

Flexibility vs. Standardization: Buyers may desire flexibility in procurement requirements to adapt to changing market conditions, but this must be balanced against the benefits of standardization for efficiency. The challenge involves maintaining adaptability while establishing standardized processes.

+

Lead Time vs. Urgency: Buyers setting procurement requirements may need to balance lead times for planning with the urgency of meeting immediate needs. The trade-off involves planning ahead while addressing time-sensitive procurement requirements.

+

Innovation vs. Compliance: Buyers may seek innovative solutions in procurement but must balance this with compliance to regulatory and organizational requirements. The challenge is to foster innovation while ensuring adherence to necessary standards.

+

2. Supplier Perspective

+

Risks

+

Unclear Requirements: Ambiguous or changing requirements may lead to misunderstandings, causing suppliers to deliver products or services that do not meet buyer expectations.

+

Increased Costs: If procurement requirements planning is too stringent, suppliers may face higher production or service delivery costs, potentially impacting pricing agreements.

+

Limited Innovation Opportunities: Rigorous planning may limit opportunities for suppliers to showcase innovative solutions, hindering mutual growth.

+

Trade-offs

+

Consistency vs. Varied Offerings: Suppliers may face the trade-off between consistency in meeting buyer requirements and offering varied products or services. Striking the right balance involves fulfilling standard requirements while showcasing diverse offerings.

+

Long-Term Contracts vs. Market Volatility: Suppliers may desire long-term contracts for stability, but this could conflict with the volatility of market conditions. The challenge is to secure stable contracts while adapting to market dynamics.

+

Compliance vs. Innovation Investments: Suppliers may need to allocate resources for compliance with buyer requirements, and this must be balanced against investments in innovation. The trade-off involves managing compliance costs while fostering a culture of innovation.

+

Customization vs. Standardization: Suppliers may desire customization in meeting buyer requirements, but this must be balanced against the benefits of standardization for efficient production. The challenge involves tailoring solutions while maintaining operational efficiency.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

" +3,Buyer Sustainability Targets,"

Definition

+

Set buyer sustainability targets, supported by performance KPIs, to track and ensure delivery of sustainable procurement outcomes as part of sourcing strategy implementation.

","

To effectively implement Buyer Sustainability Targets in procurement:

+

1. Secure leadership commitment to prioritize sustainability.

+

2. Engage stakeholders, including suppliers, in target development.

+

3. Conduct a baseline assessment to identify areas for improvement.

+

4. Define clear, measurable, and time-bound sustainability targets aligned with organizational goals.

+

5. Foster collaboration with suppliers, evaluating their sustainability practices.

+

6. Provide employee training to enhance awareness of sustainable procurement practices.

+

7. Integrate sustainability considerations into all stages of the procurement process.

+

8. Establish systems for regular monitoring and reporting of sustainability performance.

+

9. Ensure legal and regulatory compliance with relevant sustainability standards.

+

10. Invest in technology and data systems to streamline tracking and reporting processes.

","

Once the strategic choices have been identified, take the time to identify KPIs that will enable tracking of implementation and progress against these choices by buyers. Aim to create as few KPIs as possible to give you the understanding you need while being realistic about data collection capabilities.

+

Include these KPIs on internal business scorecards and dashboards, and consider linking them to buyer remuneration. If the strategic choices have been selected thoughtfully, implementation of them will help drive value for the business and mitigate risks. As such, progress against these should be tracked and owners held responsible in the same way as they would for other business critical actions.

","

1. Income Perspective

+

Incorporating sustainability targets in procurement can guarantee farmers fair trade prices for their products, improving their income. Long-term contracts can offer better income security. Better market access and elevated certification value can also increase sales opportunities for farmers, thereby increasing their income.

+

2. Environment Perspective

+

Buyer sustainability targets often promote sustainable farming techniques, encouraging farmers to adopt practices that have less impact on the environment. By doing so, it not only contributes to environmental preservation but also improves the long-term sustainability of farms by preserving the health of the soil, preserving water resources, and reducing the impact on wildlife ecosystems.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing sustainability targets may initially incur additional costs for eco-friendly products or suppliers with sustainable practices.

+

Limited Supplier Pool: Stricter sustainability criteria may reduce the pool of eligible suppliers, potentially limiting competitive options.

+

Complexity in Compliance: Ensuring compliance with sustainability targets can be challenging, particularly when dealing with global supply chains and diverse regulations.

+

Trade-offs

+

Sustainability vs. Cost Efficiency: Buyers may face the trade-off between achieving sustainability targets and maintaining cost efficiency in procurement. Striking the right balance involves integrating sustainable practices without compromising overall cost-effectiveness.

+

Supplier Diversity vs. Cost Competitiveness: Buyers aiming for supplier diversity may encounter the trade-off between fostering a diverse supplier base and ensuring cost competitiveness. The challenge is to balance diversity goals with the economic efficiency of the supply chain.

+

Long-Term Sustainability vs. Immediate Gains: Buyers must decide between pursuing long-term sustainability objectives and seeking immediate gains through potentially less sustainable practices. Striking the right balance involves aligning short-term gains with broader sustainability goals.

+

Innovation vs. Established Practices: Buyers may trade off between encouraging innovation in sustainable practices and sticking to established, potentially less sustainable, procurement methods. Balancing innovation with proven practices is essential for sustainable procurement.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Adhering to sustainability targets may require suppliers to invest in new technologies or practices, potentially causing financial strain.

+

Competitive Disadvantage: Suppliers not meeting sustainability targets may face a disadvantage in bidding for contracts, affecting competitiveness.

+

Complex Certification Processes: Suppliers may encounter challenges in navigating complex certification processes to prove their sustainability credentials.

+

Trade-offs

+

Compliance vs. Innovation: Suppliers may face the trade-off between complying with buyer sustainability targets and innovating in their offerings. Striking the right balance involves meeting sustainability requirements while fostering a culture of innovation.

+

Cost of Sustainability Compliance vs. Profitability: Suppliers may incur additional costs to meet sustainability requirements, impacting overall profitability. The trade-off involves managing compliance costs while maintaining a viable and profitable business model.

+

Market Access vs. Sustainability Investments: Suppliers must decide between investing in sustainability practices to access markets with stringent requirements and balancing these investments with other business needs. Striking the right balance involves meeting market demands while ensuring financial viability.

+

Risk Mitigation vs. Market Competitiveness: Suppliers may prioritize risk mitigation through sustainable practices but must balance this with remaining competitive in the market. The trade-off involves managing risks while staying competitive in the procurement landscape.

",

Indirect

,

Indirect

,"

IDH Based Interviews (Frank Joosten)

+

EY Based Interviews

" +4,Decarbonisation levers,"

Definition

+

Implement decarbonisation levers where net-zero or climate mitigation is a corporate goal or where external risk assessments highlight climate threats to supply security. Opportunities may include agroforestry or soil conservation for carbon sequestration which in turn can create additional sources of farmer income

","

1. Enabling Conditions for Carbon Sequestration in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers actively engaged in carbon sequestration practices, emphasizing environmentally responsible and climate-friendly agricultural methods.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of carbon sequestration techniques and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to carbon sequestration, fostering partnerships, and incentivizing the adoption of sustainable farming practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify carbon sequestration practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers actively engaged in carbon sequestration to promote stability and incentivize continued commitment to sustainable and climate-friendly farming methods.

+

2. Enabling Conditions for Carbon Sequestration on a Farm Level:

+

Cover Cropping: Integration of cover crops into farming practices to enhance soil health, increase organic matter, and promote carbon sequestration.

+

Agroforestry Practices: Incorporation of agroforestry techniques, such as planting trees on farmlands, to sequester carbon in both soil and woody biomass.

+

Conservation Tillage: Adoption of conservation tillage methods, like no-till or reduced tillage, to minimize soil disturbance and enhance carbon retention in the soil.

+

Crop Rotation: Implementation of crop rotation strategies to improve overall soil health, increase carbon content, and contribute to sustainable soil management.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective carbon sequestration practices, optimizing soil health and overall sustainability.

+

Successful implementation of carbon sequestration requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of climate-friendly principles into the core of farming and procurement strategies.

","

When is this a strategic choice?

+

Implement decarbonisation levers where net-zero or climate mitigation is a corporate goal or where external risk assessments highlight climate threats to supply security.

+

What it means:

+

Decarbonisation levers are activities that a business can use to reduce carbon emissions. They can be performed directly by the business or, as is more likely in this instance, in the upstream supply chain. Examples of decarbonisation levers can include:

+

• Switching to renewable energy

+

• Improving energy efficiency of equipment and processes

+

• Agroforestry or soil conservation

+

• Carbon sequestration

+

Some decarbonisation levers are about directly reducing emissions produced e.g. switching to renewable energy. Others are opportunities to capture carbon, offsetting emissions that may occur elsewhere.

+

When offsetting activities are done within your own value chain, it is referred to as insetting. The whole value chain can present opportunities for insetting and materials sourced from agriculture can offer brilliant opportunities. For example, agroforestry, increasing natural habitats for biodiversity or increasing soil organic matter.

+

There are challenges associated with insetting. There are physical challenges in ensuring the permanence of actions taken to inset carbon. There are also accountancy challenges in calculating the carbon benefit achieved through these actions. Both of these require specialist input to ensure they are done properly.

+

Insetting can also benefit farmer income. Insetting actions that produce carbon credits that a farmer can sell is a way of generating additional income. This can be particularly valuable if farmers can use marginal land for actions such as tree planting.

+

Ensuring carbon insetting requires commitment and verification over the long term. A business must be confident that this can be achieved in order to make this a valid strategic choice.

","

Environmental Perspective

+

Practices such as agroforestry, cover cropping, reduced tillage, and improved manure management increase soil organic carbon and strengthen biodiversity. Shifts to energy efficient machinery, irrigation, and cold storage cut fuel use, while on farm renewables reduce reliance on fossil energy. Together, these actions lower emissions, improve soil and water health, and build resilient ecosystems.

+

Income Perspective

+

Improved efficiency lowers spending on fuel, fertilizer, and electricity. Renewable energy systems, such as solar for pumping or drying, reduce long term operating costs and can provide surplus energy for sale. Participation in carbon markets can generate additional income through verified credits, and sourcing programs that reward decarbonisation can deliver access to premiums or long term contracts.

+

Risk Perspective

+

Decarbonisation reduces exposure to energy price volatility, fertilizer shortages, and regulatory pressures on emissions. Practices that build soil carbon and improve efficiency also strengthen resilience to drought, flooding, and extreme weather. By diversifying income through carbon credits or renewable energy sales, farmers reduce dependence on a single revenue stream.

+

Link to Procurement Organizations

+

Procurement partners must be committed to very long-term physical carbon insetting to create value for farmers for low carbon products, co-investing in renewable installations, and supporting measurement and verification of carbon outcomes. Long term offtake agreements, technical support, and access to finance help farmers adopt practices and technologies that deliver both emissions reduction and supply chain resilience.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Adoption of carbon sequestration practices may lead to variations in agricultural production and potential disruptions in the supply chain, affecting product availability.

+

Cost Implications: Suppliers implementing carbon sequestration practices may incur initial costs, potentially impacting product prices and the overall procurement budget.

+

Certification Challenges: Ensuring adherence to certification standards related to carbon sequestration may pose challenges, requiring rigorous monitoring and verification.

+

Trade-offs

+

Cost vs. Sustainability: Balancing potential cost implications of products from suppliers engaged in carbon sequestration with the desire to support environmentally responsible and climate-friendly sourcing practices.

+

Consistency vs. Innovation: Striking a balance between consistent supply from traditional sources and the innovative adoption of carbon sequestration practices within the supply chain.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers implementing carbon sequestration practices may initially face higher costs, potentially causing financial strain and impacting competitiveness.

+

Transition Period Challenges: Adoption of new practices may pose challenges during the initial phases, affecting production efficiency and consistency.

+

Market Access Concerns: Suppliers may face challenges in accessing markets that prioritize traditional, non-carbon sequestration farming practices.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of adopting carbon sequestration practices against potential market access and premium prices associated with sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adopt carbon sequestration practices may divert attention and resources from traditional production methods.

+

Short-Term Costs vs. Long-Term Benefits: Balancing the short-term financial implications of transitioning to carbon sequestration with the potential long-term benefits in terms of soil health, productivity, and environmental sustainability.

+

Addressing these risks and trade-offs requires careful planning, collaboration, and a long-term perspective from both buyers and suppliers in the procurement process.

",

Indirect

,

Direct

,"1. https://www.greenbiz.com/article/why-jpmorgan-hm-and-others-will-pay-571-million-spread-crushed-rock-farmland
" +5,Comprehensive Value Chain Risk Assessment,"

Definition

+

Conduct a thorough external risk analysis across climate, biodiversity, nature, human rights, forced labour, child labour, and free, prior, and informed consent. Include regulatory sustainability risks (climate, human rights, supply chain due diligence) linked to sourced materials.

","

Enabling conditions for environmental risk assessment in a procurement organization include:

+

Supply Chain Visibility: Establish comprehensive supply chain visibility to identify key environmental hotspots and potential impacts associated with agri-food procurement activities.

+

Environmental Expertise: Ensure that the procurement team has access to or collaborates with environmental experts who can effectively assess and interpret environmental data and impacts.

+

Data Collection and Monitoring Systems: Implement robust data collection and monitoring systems to track environmental indicators, enabling the continuous assessment of procurement activities.

+

Stakeholder Engagement: Engage with key stakeholders, including suppliers and local communities, to gather insights on potential environmental impacts and foster collaborative efforts in mitigating adverse effects.

+

Sustainability Criteria Integration: Embed environmental sustainability criteria directly into procurement policies and evaluation processes, making EIAs an integral part of supplier selection and product sourcing.

+

Regulatory Adherence: Stay informed about and comply with environmental regulations and standards specific to the agri-food sector, ensuring that EIAs align with legal requirements.

+

Technology Adoption: Leverage innovative technologies, such as satellite imagery or remote sensing tools, to enhance the accuracy and efficiency of EIAs, especially in assessing land use, water consumption, and biodiversity impacts.

+

Risk Mitigation Strategies: Develop strategies to address identified environmental risks within the supply chain, incorporating measures to mitigate issues related to water usage, pollution, deforestation, and other relevant concerns.

+

Benchmarking and Performance Metrics: Establish benchmarking mechanisms and performance metrics to compare the environmental impact of different suppliers and products, promoting competition in adopting sustainable practices.

+

Collaboration with Certification Bodies: Collaborate with recognized environmental certification bodies to align EIAs with established standards, providing credibility and assurance of environmentally responsible sourcing practices.

+

Education and Training: Provide ongoing education and training for procurement professionals on the latest methodologies and tools for conducting EIAs, ensuring a well-informed and skilled team.

+

Continuous Improvement Framework: Implement a continuous improvement framework based on EIA findings, fostering a culture of learning and adaptation to evolving environmental challenges.

+

Transparent Reporting: Communicate EIA results transparently to internal and external stakeholders, demonstrating the organization's commitment to environmental responsibility and accountability.

+

Incentivizing Sustainable Practices: Develop incentive mechanisms for suppliers that actively engage in reducing their environmental impact, encouraging a proactive approach to sustainability.

+

By focusing on these targeted pproaches, procurement organizations can enhance the effectiveness of their EIAs, leading to more sustainable and environmentally conscious sourcing practices.

","

Conducting a value chain risk assessment enables identification and assessment of the sustainability risks in your value chain. This is key to enabling effective risk management in procurement decisions. To do this effectively, it is helpful to have a good level of Value Chain Visibility first. However, a high-level assessment can still bring value to the business by identifying the most likely and severe types of risks associated with different categories.

+

The lenses through which you may want to consider a risk assessment include:

+

• Country of Origin: The country defines the macro risks based on its environmental, social, political and economic situation.

+

• Commodity/category/product of interest: The processes involved in the production of different commodities, categories and products impact the risks associated with them

+

• Risks to Assess: The most important risks to assess may be associated with the countries and commodities of interest, or they may come from reviewing your business strategy and sustainability commitments. The risks of interests may include:

+

o Environmental: Climate, Deforestation, Water, Nature

+

o Social: Human Rights (inc. Child Labour, Forced Labour, Indigenous Rights), Living Wages and Income, Gender Equality, Health and Safety

+

If you have engaged with your suppliers as part of improving Value Chain Visibility and have a sense of whether supply chains are likely to be stable or unstable over the next five years, consider potential changes that could occur and, if possible, incorporate this flexibility into the risk assessment approach.

+

If you are starting from scratch review the IDH focus areas, which will help surface the material sustainability risks. If you need further help, useful resources may include;

+

• Search WRI for environment risks like climate, deforestation, water and nature

+

• Search by commodity at Verite for human rights risks

+

At this stage you are simply understanding the ‘sustainability’ risks the business is exposed to, from the current value chain, due to the current procurement strategy.

","

Environmental Perspective

+

Sustainable Farming Practices: Comprehensive risk assessments help farmers identify and adopt practices that reduce negative impacts across the value chain, such as conserving soil, lowering pesticide use, and enhancing biodiversity.

+

Climate Resilience: By highlighting vulnerabilities to climate change, these assessments support actions that build resilience to extreme weather and strengthen long term environmental sustainability.

+

Income Perspective

+

Access to Premium Markets: Farmers who align with value chain risk assessment findings can access buyers and markets that prioritize sustainable and resilient sourcing, often linked to premium pricing.

+

Cost Savings: Efficiency gains identified through assessments, such as reduced input use or better resource management, can lower costs and improve overall profitability.

+

Risk Perspective

+

Market Viability: Assessments strengthen market viability by ensuring farmer practices align with buyer expectations, regulatory standards, and consumer preferences, reducing the risk of exclusion.

+

Long Term Stability: By addressing environmental, social, and operational risks across the value chain, farmers position themselves for continued access to markets and long term business resilience.

+

Link to Procurement Organizations

+

Procurement partners play a central role by communicating risk and sustainability criteria to farmers and the opportunities in rewarding alignment. Supporting risk assessments and providing guidance ensures that sourcing is consistent with company commitments, while helping farmers strengthen practices that secure market access and supply continuity.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruption: To minimize disruption risks, buyers should strategically diversify their supplier base, balancing sustainability criteria with the need for a resilient and varied supply chain.

+

Increased Costs: Buyers can strategically negotiate with suppliers, emphasizing the importance of cost-effectiveness while encouraging sustainable practices to manage procurement expenses.

+

Limited Supplier Innovation: Buyers can actively engage with smaller suppliers, fostering innovation by providing support and guidance to meet sustainability criteria.

+

Trade-offs

+

Cost vs. Sustainability: Buyers must strategically navigate the trade-off between cost-effectiveness and sustainability, making informed compromises to achieve both financial and environmental goals.

+

Supplier Diversity vs. Sustainability: Balancing sustainability with supplier diversity requires careful consideration, especially in regions or industries where meeting sustainability standards may be challenging.

+

Time-to-Market vs. Sustainability: Buyers need to find a balance between selecting sustainable suppliers and meeting time-to-market goals, ensuring that sustainability efforts do not unduly extend procurement timelines.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers can proactively manage financial strain by seeking collaborative partnerships with buyers, exploring cost-sharing models for sustainable investments.

+

Competitive Disadvantage: Suppliers with lower sustainability scores should focus on improving practices to avoid losing business opportunities, emphasizing the value of sustainable offerings.

+

Compliance Challenges: Suppliers facing compliance challenges should engage with buyers to streamline diverse sustainability standards, ensuring a more manageable and efficient adherence process.

+

Trade-offs

+

Cost vs. Sustainability: Suppliers must strategically balance the trade-off between implementing sustainable practices and managing production costs, seeking innovative and cost-effective solutions.

+

Innovation vs. Compliance: Suppliers can navigate the trade-off by integrating sustainability into their innovation agenda, demonstrating that both innovation and compliance can coexist.

+

Market Access vs. Sustainability: Suppliers targeting international markets must weigh the benefits of market access against the costs of adapting to sustainability requirements, aligning their strategies with evolving global standards.

",

Indirect

,

Indirect

,"1. https://consult.defra.gov.uk/water/rules-for-diffuse-water-pollution-from-agriculture/supporting_documents/New%20basic%20rules%20Consultation%20Impact%20Assessment.pdf
+2. https://www.fao.org/3/Y5136E/y5136e0a.htm
+3. https://www.sciencedirect.com/science/article/pii/S0048969721007506
" +6,Crop rotation and diversification,"

Definition

+

Crop rotation and diversification are core practices considered under regenerative agriculture strategies. These practices involve alternating different crops on the same land over time to improve soil health, reduce pests and diseases, and increase farm resilience.

","

1. Enabling Conditions for Crop Rotation and Diversification in a Procurement Organization:

+

Sustainable Sourcing Policies: Establishment of procurement policies that prioritize products sourced from farms practicing crop rotation and diversification, promoting sustainable agricultural practices.

+

Supplier Collaboration: Collaboration with suppliers committed to crop rotation and diversification, encouraging the adoption of diverse farming methods within the supply chain.

+

Educational Initiatives: Providing training and education for procurement professionals to enhance their understanding of the benefits of crop rotation and diversification and the associated impacts on agricultural sustainability.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers implementing crop rotation and diversification, fostering stability and incentivizing the continued commitment to sustainable practices.

+

2. Enabling Conditions for Crop Rotation and Diversification on a Farm Level:

+

Holistic Farm Planning: Development of comprehensive farm plans that integrate crop rotation and diversification strategies, considering soil health, pest management, and overall sustainability.

+

Crop Rotation Plans: Implementation of systematic crop rotation plans that involve alternating the types of crops grown in specific fields over time to break pest and disease cycles.

+

Cover Crops Integration: Incorporation of cover crops during periods when main crops are not grown to enhance soil fertility, prevent erosion, and provide additional benefits to the ecosystem.

+

Polyculture Practices: Adoption of polyculture practices, including the simultaneous cultivation of multiple crops in the same area, to increase biodiversity and enhance ecological balance.

+

Agroecological Approaches: Integration of agroecological principles that mimic natural ecosystems, promoting resilience, reducing reliance on external inputs, and enhancing overall farm sustainability.

+

Community Engagement: Engagement with local communities, consumers, and agricultural extension services to raise awareness of the importance of crop rotation and diversification for sustainable agriculture.

+

Both at the procurement organization and on the farm level, successful implementation of crop rotation and diversification requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of these principles into the core of farming and procurement strategies.

","

Crop rotation and diversification is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of soil conservation can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers and pesticides

+

• Improve yield through enhanced soil fertility

+

• Minimise pest and disease build-up associated with continuous cropping

+

Implementing this requires a long-term commitment and capability building with suppliers to enable implementation at the farm level. Farmers must understand which crop combinations make the most business sense for sustained income, while buyers need to assess how competitive their crop is within the farm enterprise system. The resource commitment for farmer training must be clearly defined with suppliers and embedded in the Cost of Goods cost model as part of the overall procurement strategy.

","

1. Environmental Perspective:

+

Soil Health: Crop rotation and diversification contribute to improved soil health by preventing nutrient depletion and reducing the risk of soil-borne diseases.

+

Biodiversity Preservation: Diversified farming practices support biodiversity by providing different habitats for various plant and animal species.

+

2. Income Perspective:

+

Risk Mitigation: Farmers adopting crop rotation and diversification reduce the risk of crop failure due to pests or diseases affecting a single crop. This can lead to more stable and predictable incomes.

+

Market Access: Diversification allows farmers to access a broader range of markets, catering to diverse consumer preferences and potentially increasing sales and income.

+

3. Risk Perspective:

+

Reduced Input Costs: Crop rotation and diversification can lead to reduced input costs as they minimize the need for external inputs like pesticides and fertilizers.

+

Adaptation to Climate Change: Diversified crops provide resilience to changing climate conditions, allowing farmers to adapt and continue generating income even in the face of climate-related challenges.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are essential in providing access to markets and resources. By supporting and incentivizing the adoption of crop rotation and diversification, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Fluctuations: Buyers must address potential variability in crop yields due to crop rotation and diversification, implementing strategies to manage and predict supply chain fluctuations.

+

Higher Initial Costs: Buyers need to manage higher initial production costs resulting from diverse farming methods, ensuring procurement decisions align with budget constraints and efficiency goals.

+

Transition Period Challenges: Buyers should be aware of challenges suppliers may face during the transition to crop rotation and diversification, taking measures to minimize potential impacts on product availability and consistency.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance the higher costs of diverse farming methods against the desire to support environmentally sustainable and resilient agricultural practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Variety: Striking a balance between ensuring a consistent supply of products and offering a variety of goods requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and diversity.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting crop rotation and diversification may face initial financial strain, requiring strategic resource allocation to mitigate the impact on competitiveness.

+

Transition Period Challenges: Suppliers transitioning to diverse farming methods must address challenges in adapting to new methods, implementing measures to maintain productivity during the transition.

+

Market Access Challenges: Suppliers without the means to adopt diverse farming practices may struggle with accessing markets that prioritize sustainability and diversification, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers must weigh the costs and challenges of transitioning to crop rotation and diversification against the potential market access and premium prices associated with sustainable and diversified products, ensuring a sound investment in diversified farming.

+

Innovation vs. Tradition: Allocating resources to adopt diverse farming methods involves trade-offs with traditional methods, necessitating suppliers to find a harmonious integration that maintains productivity.

+

Crop Yield vs. Sustainability: Balancing the desire for higher crop yields with the commitment to crop rotation and diversification may require trade-offs, with suppliers finding optimal solutions that align with environmental goals.

",

Direct

,

Direct

,"1. https://www.tandfonline.com/doi/abs/10.1300/J064v28n04_04
+

2.https://www.foeeurope.org/sites/default/files/briefing_crop_rotation_june2012.pdf3. https://twin-cities.umn.edu/news-events/diversifying-crop-rotations-improves-environmental-outcomes-while-keeping-farms

+4. https://www.hindawi.com/journals/aag/2021/8924087/
+5. https://www.mdpi.com/2073-4395/12/2/436
+6. https://www.frontiersin.org/articles/10.3389/fagro.2021.698968/full
" +7,Data: Procurement KPIs that go beyond tracking just spend,"

Definition

+

Creating sustainability KPIs to be implemented within procurement. These KPIs can help to track the impact of actions implemented through a sustainable sourcing strategy, and progress towards business and procurement sustainability commitments and targets.

","

To effectively implement Data Management in a Procurement Data Analytics context, a procurement organization should establish a comprehensive data governance framework, implement robust data security measures and privacy compliance, form clear collaboration agreements with suppliers/farmers, promote cross-functional collaboration, ensure high data quality standards, prioritize interoperable systems and integration capabilities, develop a scalable infrastructure, conduct regular audits for compliance, and invest in training programs for procurement professionals, creating a foundation for secure, collaborative, and strategic data use throughout the procurement value chain.

","

Once the strategic choices have been identified, take the time to identify KPIs that will enable tracking of progress and impact through implementation of the strategic choices. Aim to create as few KPIs as possible to give you the understanding you need while being realistic about data collection capabilities. There are a few levels that you could consider implementing KPIs at:

+

• Individual supplier/project level: Track progress of specific activities

+

• Category level: Track progress across a full category of interest e.g. tracking deforestation across the cocoa sourcing category

+

• Cross-category level: Tracking progress holistically across multiple categories

+

Aim to create KPIs that are a mix of:

+

• Leading KPIs: Activities that build towards positive impacts e.g. number of suppliers trained, or number of gender dis-aggregated farmers trained

+

• Lagging KPIs: Actual outcome measures that the procurement strategy will deliver e.g. % carbon mitigation, % farmers making living income

+

Ensure these KPIs are part of the procurement strategy tracking and implementation in combination with the usual procurement KPIs e.g. savings, inflation, OTIF. Consider including the sustainability KPIs in supplier scorecards and quarterly supplier business reviews.

","

Income Perspective

+

Market Access and Fair Pricing: Using data to report on quality, sustainability, and compliance allows farmers to meet evolving procurement KPIs, improving market access and supporting fairer pricing. Greater transparency can strengthen trust with buyers and contribute to higher income.

+

Efficient Resource Utilization: Data-driven insights enable farmers to allocate resources more effectively, lowering costs and improving profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Data on soil health, water use, and chemical applications helps farmers identify opportunities to adopt practices that reduce environmental impact while meeting buyer expectations.

+

Resource Conservation: Tracking KPIs beyond spend encourages efficient use of inputs such as water and fertilizer, leading to lower waste and a more sustainable production system.

","

1. Buyer Perspective

+

Risks

+

Data Security Concerns: Inadequate data security measures may lead to breaches, compromising sensitive procurement information and exposing the buyer to potential legal and financial consequences.

+

Increased Costs of Implementation: Implementing robust data management practices may entail significant upfront costs, impacting the buyer's budget and potentially leading to budget overruns.

+

Supplier Collaboration Challenges: Suppliers may face difficulties in adapting to collaborative data sharing, potentially affecting the buyer-supplier relationship and hindering information flow.

+

Trade-offs

+

Data Security vs. Accessibility: Buyers may face the trade-off between ensuring robust data security measures and providing easy accessibility to relevant stakeholders. Striking the right balance involves safeguarding sensitive information while facilitating necessary access.

+

Customization vs. Standardization: Buyers implementing data management systems may need to balance customization for specific needs and standardization for efficiency. The challenge is to tailor data solutions while maintaining standardized processes.

+

Cost of Technology vs. ROI: Buyers investing in data management technologies may face the trade-off between the initial cost of technology adoption and the expected return on investment (ROI). The challenge is to manage costs while realizing long-term benefits.

+

Data Analytics vs. Privacy Compliance: Buyers utilizing data analytics for insights must balance this with compliance with privacy regulations. Striking the right balance involves leveraging data analytics for informed decision-making while protecting individual privacy.

+

2. Supplier Perspective

+

Risks

+

Increased Reporting Burden: Suppliers may experience an increased reporting burden, potentially impacting operational efficiency and leading to resistance in adopting new data management practices.

+

Technology Adoption Challenges: Suppliers may struggle to adopt and integrate new technologies for data sharing, resulting in potential disruptions to their operations and compliance challenges.

+

Data Security Risks: Suppliers may face risks related to data security, especially if the buyer's data management practices do not meet industry standards, potentially exposing the supplier to cyber threats.

+

Trade-offs

+

Data Transparency vs. Confidentiality: Suppliers providing data may face the trade-off between transparency and confidentiality. The challenge is to share necessary information while protecting proprietary and confidential business details.

+

Resource Allocation vs. Data Requirements: Suppliers may need to allocate resources for meeting buyer data requirements, and this must be balanced against other operational needs. The trade-off involves optimizing resource allocation for both data compliance and overall efficiency.

+

Technology Adoption vs. Operational Impact: Suppliers adopting new technologies for data management may need to balance this with the potential impact on day-to-day operations. The challenge is to adopt efficient data management tools without disrupting regular business processes.

+

Data Quality vs. Timeliness: Suppliers must balance providing high-quality data with the need for timely delivery. Striking the right balance involves ensuring data accuracy while meeting the required timelines set by buyers.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

" +8,Direct & Indirect Pre-Finance,"

Definition

+

Pre-financing options can support key strategic choices and help to catalyse sustainable sourcing initiatives. Typically used to help those upstream, who are implementing sustainable practices, access sufficient finance needed to start these actions. Direct pre-finance goes directly to the actor implementing the changes, e.g. direct to the farmer, while indirect pre-finance may go towards bank guarantees, development funds or NGOs that then support actors.

","

To implement direct and indirect finance interventions effectively in a procurement organization, it is crucial to have well-defined procurement objectives aligned with comprehensive financial planning, utilize advanced financial systems, ensure robust budgeting processes, establish a comprehensive risk management framework, maintain strong supplier relationship management practices, understand and adhere to financial regulations, implement stringent data security measures, continuously monitor performance using key indicators, and foster collaboration between procurement and finance teams.

","

Direct and Indirect Pre-Financing is an action for implementation that could emerge from many of the strategic choices selected, as it is about supporting capability building in the upstream supply chain. Choices it is most likely to be linked to include Mutual Supplier-Based Incentives, Upstream Supplier Tier Reduction, Supplier Capability Building, and Long-term Contracts.

+

If cash flow is limited and investment is needed in upstream supply chain actors, pre-financing may be required to enable action. Implementing such practices may be particularly important where, as a buyer, you have identified strategic priorities and risks to be managed that must be done by upstream actors and need resource from your business to enable initial investments and actions to be made.

+

As a buyer, you must understand the cash flow of upstream supply chain actors and how implementing new sustainable practices might impact this. To ensure these actors have the capability to implement these initiatives, the buyer may need to consider different approaches to financing to ensure upstream actors have healthy cash flows.

+

Examples of direct pre-financing:

+

• Advanced payments: Paying suppliers, farmers, or cooperatives a proportion of the cost of goods in advance to cover costs

+

• Providing inputs: Buying inputs needed, e.g. seeds, fertilizers, technology, to initiate actions that are then deducted from end costs

+

Examples of indirect pre-financing:

+

• Bank guarantees: Acting as a guarantor to a local bank, allowing farmers to access loans and reducing risk for the bank

+

• Partnerships with NGOs or development agencies: Collaboration and support for organisations that help farmers access financing and resources they need

","

1. Income Perspective

+

Farmers often face cash flow challenges due to seasonal variations and market uncertainties. Direct and indirect finance interventions can provide farmers with the necessary capital to invest in their operations, purchase seeds and equipment, and withstand economic fluctuations.

+

Improved access to finance allows farmers to make timely investments, leading to increased productivity, higher yields, and ultimately, improved income. It also provides a financial safety net during periods of low agricultural income.

+

2. Environment Perspective

+

Sustainable farming practices are essential for environmental conservation. Finance interventions can support farmers in adopting environmentally friendly technologies, implementing conservation practices, and transitioning to more sustainable agricultural methods.

+

Access to financing for sustainable practices, such as precision farming, organic farming, or water conservation, can contribute to soil health, biodiversity, and reduced environmental impact. It aligns with the global push for sustainable agriculture.

","

1. Buyer Perspective:

+

Cost of Capital:

+

Risk: Depending on the financial arrangements, the cost of obtaining capital through finance interventions may pose a risk. High-interest rates or fees could increase the overall cost of procurement for the buyer.

+

Tradeoff: The tradeoff involves finding a balance between securing necessary funding and managing the associated costs to ensure competitiveness and profitability.

+

Trade-offs

+

Cost of Finance vs. Procurement Efficiency: Buyers may face the trade-off between managing the cost of finance and optimizing procurement efficiency. Striking the right balance involves securing favorable financial terms without compromising the speed and effectiveness of procurement processes.

+

Risk Mitigation vs. Supplier Relationships: Buyers utilizing finance interventions for risk mitigation may need to balance this with the desire to maintain strong, collaborative relationships with suppliers. The challenge is to manage risks while fostering positive supplier partnerships.

+

Customization of Financial Solutions vs. Standardization: Buyers may seek customized financial solutions for different procurement scenarios but must balance this with the benefits of standardization for consistency. The trade-off involves tailoring financial approaches while maintaining standardized processes.

+

Long-Term Financial Planning vs. Short-Term Goals: Buyers must decide between focusing on long-term financial planning for sustainable procurement practices and addressing short-term procurement goals. Striking the right balance involves aligning financial strategies with both immediate needs and long-term sustainability.

+

2. Supplier Perspective

+

Access to Finance:

+

Risk: Suppliers may face challenges in accessing finance if they do not meet the buyer's financial criteria or if the financing process is complex.

+

Tradeoff: Tradeoffs involve meeting financial requirements while maintaining independence and ensuring that financial arrangements are supportive rather than restrictive.

+

Cost of Compliance:

+

Risk: Complying with the financial and contractual requirements set by the buyer may result in additional costs for suppliers.

+

Tradeoff: Suppliers need to evaluate the tradeoff between securing business from a particular buyer and the associated compliance costs. Negotiating fair terms is crucial.

+

Trade-offs

+

Cost of Finance vs. Profitability: Suppliers may face the trade-off between managing the cost of finance and maximizing profitability. The challenge is to secure financing options that contribute to financial stability without significantly impacting profit margins.

+

Cash Flow vs. Financing Terms: Suppliers may prioritize maintaining healthy cash flow but must balance this with the financing terms offered by buyers. The trade-off involves managing cash flow while accommodating the financial terms set by buyers.

+

Risk Management vs. Independence: Suppliers utilizing finance for risk management may need to balance this with the desire for financial independence. The challenge is to mitigate risks while preserving autonomy in financial decision-making.

+

Long-Term Financial Partnerships vs. Diversification: Suppliers may desire long-term financial partnerships with buyers, but this could conflict with the need for financial diversification. Striking the right balance involves pursuing stable financial relationships while diversifying funding sources.

",

Direct

,

Direct

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

" +9,Direct Farmer Contracting,"

Definition

+

Establish direct farmer contracting programs where they offer the fastest, most cost-effective way to implement sustainability strategies and manage risk, bypassing multiple supply chain tiers.

","

To effectively implement Direct Farmer Contracting Programs, a procurement organization must establish transparent communication channels, ensure legal compliance, conduct educational initiatives for farmers, integrate technology for monitoring, develop risk management strategies, establish fair pricing mechanisms, define quality standards, provide capacity-building for farmers, offer flexible contract terms, and collaborate with agricultural experts, fostering fair, transparent, and sustainable relationships in the agricultural supply chain.

","

When is this a strategic choice?

+

When the spend category is business critical and the value chain visibility analysis surfaces value chain actors who are adding cost (e.g. middle men, traders) and/or developing a greenfield site as a buyer. Depending on the outcome of the internal and external analysis, this may be the most competitive cost approach to secure supply and engage directly with farmers to mitigate identified risks.

+

What it means:

+

This is linked to other strategic choices such as Reducing Upstream Supply Tiers and Supplier Capability Building.

+

This will require resource either directly from a buyer’s business or to support identifying an implementation partner for a farmer.

+

• Direct resource could include providing direct funding through procurement-driven sustainability investments, providing technical know-how, or supporting the farmer to build professional skills such as business planning and accessing finance.

+

• Implementation partners could include, for example, identifying in-country partners to work directly with smallholder farmers to coordinate smallholder crop production improvement activities.

","

1. Income Perspective

+

Direct contracting often provides farmers with guaranteed prices, reducing uncertainties and ensuring more stable income. Also, establishing direct relationships with businesses opens up opportunities for capacity building and development, contributing to increased productivity and income.

+

2. Environment Perspective

+

Direct Farmer Contracting programs can promote sustainability as companies can enforce their environmental standards directly with the farmers, encouraging and ensuring sustainable farming practices are in place.

","

1. Buyer Perspective

+

Risks

+

Supply Variability: Direct contracts with individual farmers may expose buyers to supply variability influenced by weather conditions and other uncontrollable factors.

+

Dependency on Localized Sources: Relying on local farmers may lead to limited geographic diversity, posing risks in the event of local disruptions.

+

Contract Non-Compliance: Farmers may face challenges in meeting contract terms, leading to potential disruptions in the supply chain.

+

Trade-offs

+

Supply Chain Control vs. Farmer Independence: Buyers may face the trade-off between maintaining strict control over the supply chain through direct farmer contracting and allowing farmers greater independence. Deciding on the right balance involves assessing the level of control needed versus empowering farmers.

+

Quality Assurance vs. Cost Competitiveness: Buyers must balance the assurance of product quality through direct contracts with the need for cost competitiveness. Striking the right balance involves ensuring quality while remaining economically competitive in the market.

+

Risk Sharing vs. Farmer Viability: Buyers may opt for risk-sharing arrangements with farmers to manage uncertainties, but this must be balanced against ensuring the financial viability of individual farmers. Deciding on the level of risk sharing involves considering the economic sustainability of farmers.

+

Sustainability Goals vs. Operational Efficiency: Buyers may prioritize sustainability goals in direct farmer contracting programs, but this could impact operational efficiency. Balancing sustainability objectives with the need for streamlined operations is crucial.

+

2. Supplier Perspective

+

Risks

+

Price Volatility: Farmers may face risks associated with price volatility in agricultural markets, impacting their income.

+

Market Access Challenges: Dependence on a single buyer may limit farmers' access to other markets, reducing their bargaining power.

+

Input Cost Fluctuations: Fluctuations in input costs may affect farmers' profitability, especially if contracts do not account for these variations.

+

Trade-offs

+

Stable Income vs. Market Diversification: Farmers may face the trade-off between securing stable income through direct contracts and diversifying their market exposure. Striking the right balance involves managing income stability while avoiding over-reliance on a single buyer.

+

Access to Resources vs. Autonomy: Farmers must decide on the trade-off between accessing resources provided by buyers in direct contracts and maintaining autonomy in their farming practices. Balancing resource support with the desire for independence is essential.

+

Risk Reduction vs. Profit Potential: Farmers may opt for direct contracts to reduce production and market risks, but this may come with limitations on profit potential. Deciding on the right balance involves assessing risk tolerance and profit expectations.

+

Long-Term Stability vs. Flexibility: Farmers may seek long-term stability through direct contracts, but this could limit their flexibility to adapt to changing market conditions. Finding the right balance involves considering the benefits of stability against the need for adaptability.

",

Direct

,

Indirect

,"

IDH Interview Sessions

+

Nespresso Example, Norwegian & Pakstanian Rice producer

" +10,Fair Pricing and Flexible Payment Terms,"

Definition

+

Use fair pricing, milestone payments, partial prepayments, or shorter payment cycles to support direct farmer contracting, supplier capability building, and other strategic relationship models.

","

To effectively implement Fair Pricing Negotiation Practices, a procurement organization should conduct thorough market research, maintain transparent cost structures, establish fair and ethical sourcing policies, provide negotiation skills training, utilize data analytics for price trends, implement Supplier Relationship Management practices, ensure legal and regulatory compliance, encourage cross-functional collaboration, define clear contractual terms, establish performance metrics and monitoring mechanisms, and promote supplier diversity and inclusion, fostering a transparent, ethical, and collaborative approach to pricing negotiations.

","

Being cognisant of cash flows and investment needs of upstream supply chain actors may require implementation of fair pricing and flexible payment terms. Implementing such practices may be particularly important where, as a buyer, you have identified strategic priorities and risks to be managed that must be done by upstream actors and need resource from your business to enable initial investments and actions to be made.

+

As a buyer, you must understand the cash flow of upstream supply chain actors and how implementing new sustainable practices might impact this. To ensure these actors have the capability to implement these initiatives, the buyer may need to consider different approaches to financing to ensure upstream actors have healthy cash flows.

+

Similarly, even if not asking upstream suppliers to implement new practices, as a buyer you should be conscious of whether your current payment terms are inhibiting healthy cash flow for upstream suppliers. This could be creating risk in itself by limiting supplier and farmer ability to implement their own improvements.

","

Income Perspective

+

Fair, transparent pricing linked to quality and sustainability premia lifts farm income and rewards good practice. Shorter payment periods and milestone or partial payments smooth cash flow, improve planning, and reduce reliance on expensive credit. Pre finance for inputs enables timely purchase of seed, fertilizer, and services, supporting higher yields and more reliable revenue.

+

Environmental Perspective

+

Stable cash flow and input pre finance make it feasible to invest in soil health, efficient water use, and low impact pest management. When premia are tied to verified outcomes, farmers are paid for reduced inputs and positive environmental results, reinforcing adoption over time.

+

Risk Perspective

+

Predictable payments and advances cut cash flow gaps that lead to distress sales or under application of inputs. Transparent price formulas and floors reduce exposure to market swings. Timely working capital lowers the risk of missing planting windows and supports recovery after weather shocks.

+

Link to Procurement Organizations

+

Procurement partners must be clear on how they are ensuring a healthy cash flow for farmers, with little bureaucracy. Buyers can operationalize this through clear pricing formulas, documented premia for verified practices, prompt payment targets, and payment schedules aligned to the crop calendar. Offering pre finance or input on account, with fair deductions at delivery, plus simple dispute resolution, builds trust and supply continuity while advancing climate and nature goals.

","

1. Buyer Perspective

+

Risks

+

Higher Costs: Strict adherence to fair pricing practices may lead to higher procurement costs for buyers.

+

Supplier Resistance: Suppliers might resist fair pricing negotiations, potentially impacting the buyer's ability to secure competitive rates.

+

Market Competition: Intense market competition may limit the effectiveness of fair pricing negotiations, particularly in situations with a limited supplier pool.

+

Trade-offs

+

Cost Savings vs. Fairness: Buyers may face the trade-off between pursuing cost savings through rigorous negotiations and ensuring fairness in pricing for suppliers. Striking the right balance involves negotiating for favorable terms while respecting fair pricing practices.

+

Competitive Bidding vs. Relationship Building: Buyers must decide between competitive bidding processes that focus on price and relationship-building approaches that consider fairness. The trade-off involves balancing the pursuit of cost-effective solutions with the desire to foster long-term relationships with suppliers.

+

Market Competition vs. Supplier Relationships: Buyers navigating fair pricing negotiations may find that intense market competition limits the effectiveness of such negotiations, particularly in situations with a limited supplier pool. The trade-off involves managing market dynamics while maintaining strong supplier relationships.

+

Timeliness vs. Thorough Negotiation: Buyers may need to balance the desire for timely negotiations with a thorough examination of pricing terms. Striking the right balance involves efficient negotiation processes without compromising the depth of the evaluation.

+

2. Supplier Perspective

+

Risks

+

Reduced Profit Margins: Accepting fair pricing may result in reduced profit margins for suppliers.

+

Loss of Competitive Edge: Strict adherence to fair pricing may limit a supplier's ability to offer lower prices compared to competitors.

+

Financial Strain: If fair pricing practices are not universally adopted, suppliers might face financial strain compared to those not adhering to fair pricing.

+

Trade-offs

+

Profitability vs. Fairness: Suppliers face the trade-off between maximizing profitability and adhering to fair and transparent pricing practices. Balancing the desire for profit with a commitment to fair pricing contributes to sustainable and ethical business practices.

+

Stability vs. Cost Competitiveness: Suppliers may weigh the benefits of stable, long-term relationships with buyers against the need to remain cost-competitive in the market. The trade-off involves maintaining stability while ensuring competitiveness in pricing.

+

Relationship Building vs. Market Exposure: Suppliers may need to balance building strong relationships with buyers against the desire for exposure to a broader market. The trade-off involves fostering collaboration with key buyers while exploring opportunities in the wider marketplace.

+

Innovation vs. Budget Constraints: Suppliers may desire to innovate in their offerings, but budget constraints imposed by fair pricing negotiations can limit these initiatives. Striking a balance involves finding innovative solutions within the constraints of negotiated pricing terms.

",

Direct

,

Indirect

,"

EY Based Interviews

+

https://www.fairtrade.net/news/realistic-and-fair-prices-for-coffee-farmers-are-a-non-negotiable-for-the-future-of-coffee

+

https://files.fairtrade.net/standards/2011-05-10_List_of_Ideas_FDP_SPO_EN_final.pdf

+

https://www.iisd.org/system/files/2023-01/2023-global-market-report-cotton.pdf

" +11,Fair Trade or Organic Certification,"

Definition

+

Apply relevant certifications where corporate or brand-level commitments exist or where certifications have been identified as strategic levers to achieving goals.

","

1. Enabling Conditions for Fair Trade Certifications in a Procurement Organization:

+

Sustainable Procurement Policies: Development of procurement policies that prioritize fair trade certifications, emphasizing the inclusion of products from suppliers adhering to ethical labor practices, fair wages, and environmentally sustainable production.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of fair trade principles and certifications, promoting awareness and commitment to ethical sourcing.

+

Supplier Collaboration: Collaboration with suppliers committed to fair trade practices, fostering partnerships, and incentivizing the adoption of socially responsible and sustainable farming methods within the supply chain.

+

Commitment of the procurement organization: Utilization or establishment of recognized fair trade certification standards, ensuring authenticity and compliance in the procurement process, and supporting transparency in supply chain practices.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers holding fair trade certifications, promoting stability and incentivizing continued commitment to fair and ethical trading practices.

+

2. Enabling Conditions for Fair Trade Certifications on a Farm Level:

+

Fair Labor Practices: Implementation of fair labor practices, including fair wages, safe working conditions, and protection of workers' rights, contributing to social sustainability and fair trade certification eligibility.

+

Environmental Sustainability: Adoption of environmentally sustainable farming methods, such as organic farming or agroecological practices, to align with fair trade certification requirements that emphasize environmental responsibility.

+

Community Engagement: Active engagement with local communities, ensuring their participation and benefit from fair trade practices, promoting social inclusivity and responsible business conduct.

+

Transparent Supply Chains: Implementation of transparent supply chain practices, including traceability and documentation, to facilitate fair trade certification processes and demonstrate adherence to ethical standards.

+

Technical Support: Access to technical support and extension services to assist farmers in meeting fair trade certification requirements, optimizing their ability to comply with the necessary standards.

+

Successful implementation of fair trade certifications requires a commitment to ethical practices, collaboration, ongoing education, and the integration of fair trade principles into the core of farming and procurement strategies.

","

Fair Trade or Organic Certification is most likely to emerge as an action for implementation through selection of Selecting a Sustainability Certification as a strategic choice.

+

These certifications can provide assurance that the supply chains involved are mitigating certain risks and negative impacts, e.g. ensuring living incomes are met for farmer and avoiding environmental damage through excessive use of agrochemicals. If these have been identified as significant risks in the value chain, certification can be a strategic lever to minimising these risks in your supply chain.

+

This will mean an increase in cost of goods for the certification premium. It may also impact availability of the product, both volume and possible sourcing locations. For some commodities, sufficient certified volumes may be readily available. For others, this may require working with suppliers and upstream farmers to build certified volume, increasing costs even further. These impacts on costs should have been accounted for during the strategic choice selection process.

","

Environmental Perspective

+

Both certifications encourage practices that build soil health, conserve biodiversity, and reduce chemical use. This improves ecosystem resilience, lowers pollution, and supports long term farm productivity.

+

Income Perspective

+

Certification can secure premium or minimum prices, providing farmers with higher and more predictable income. Reduced dependence on synthetic inputs in organic systems can lower costs over time, while Fairtrade often channels funds into community development that creates additional livelihood opportunities.

+

Risk Perspective

+

Price floors and premium markets reduce exposure to volatile commodity prices and create stable income streams. Organic production reduces environmental risks such as soil degradation and water contamination, while Fairtrade networks strengthen social resilience and provide support during market or climate shocks.

+

Link to Procurement Organizations

+

Procurement partners must be clear within their business that this is a strategic choice for the long term. By recognizing and rewarding certified products, procurement organizations open access to differentiated markets and signal long term demand for sustainable production. Incentives, technical support, and clear sourcing commitments help farmers maintain certification, aligning farm level practices with company goals on ethical, sustainable supply.

","

1. Buyer Perspective:

+

Risks

+

Higher Costs: Buyers must evaluate the potential impact on the procurement budget due to the higher production costs associated with fair trade products.

+

Supply Chain Complexity: Buyers need to anticipate and manage complexities introduced into the supply chain by fair trade certifications to ensure logistics efficiency.

+

Market Competition: Buyers may encounter challenges in markets where consumers prioritize lower prices, potentially affecting the competitiveness of fair trade products.

+

Trade-offs

+

Cost vs. Ethical Sourcing: Buyers must make decisions that balance the potential cost implications of fair trade products with the desire to support ethical labor practices, fair wages, and environmentally sustainable production methods.

+

Consistency vs. Diversity: Achieving a balance between a consistent supply from traditional sources and the diverse range of fair trade products requires strategic decision-making in procurement offerings.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adhering to fair trade certifications need to address potential financial strain resulting from higher production costs.

+

Certification Costs: Suppliers must manage additional administrative and certification-related costs associated with obtaining and maintaining fair trade certifications.

+

Market Access Challenges: Suppliers may face difficulties accessing markets that prioritize lower-priced products over fair trade certifications.

+

Trade-offs

+

Cost vs. Market Access: Suppliers should carefully weigh the costs and challenges of fair trade certifications against potential market access and premium prices associated with ethical and sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adhere to fair trade certifications may divert attention and resources from traditional production methods, requiring suppliers to find a balanced approach.

+

Short-Term Costs vs. Long-Term Benefits: Suppliers need to balance the short-term financial implications of fair trade certifications with the potential long-term benefits in terms of brand reputation, market access, and social responsibility.

",

Direct

,

Direct

,"1. https://www.rainforest-alliance.org/for-business/2020-certification-program/
" +12,Group Certification Programs,"

Definition

+

Group certification programmes allow a number of small-scale farmers to become certified together, with a single certificate covering the group rather than individual farmers. All farmers in the group must adhere to the same set of controls to ensure compliance with the certification’s standards. Using group certification reduces costs for the individual famer making certification more accessible.

","

Enabling conditions and prerequisites in a procurement organization to effectively and successfully implement Sustainable Agricultural Certification Premiums include:

+

1. Clear Sustainability Criteria

+

Prerequisite: Establish clear and well-defined sustainability criteria aligned with recognized agricultural certifications.

+

2. Engagement with Certification Bodies:

+

Prerequisite: Collaborate with reputable agricultural certification bodies to align premium criteria with industry-recognized standards.

+

3. Supplier Education and Training:

+

Prerequisite: Provide education and training programs for suppliers on sustainable agricultural practices and certification requirements.

+

4. Transparent Premium Structure:

+

Prerequisite: Design a transparent premium structure outlining the criteria for receiving sustainable agricultural certification premiums.

+

5. Monitoring and Verification Systems:

+

Prerequisite: Implement robust systems for monitoring and verifying supplier adherence to sustainability criteria.

+

6. Financial Capacity:

+

Prerequisite: Ensure financial capacity within the organization to fund sustainable agricultural certification premiums.

+

7. Legal and Ethical Compliance:

+

Prerequisite: Ensure compliance with legal and ethical standards in premium structures and supplier engagement.

+

8. Promotion of Certification Benefits:

+

Prerequisite: Actively promote the benefits of sustainable certifications and associated premiums to suppliers.

+

9. Stakeholder Collaboration:

+

Prerequisite: Collaborate with stakeholders such as farmers, certification bodies, and industry groups to build support for sustainable agriculture.

","

Group Certification Programmes is most likely to emerge as an action for implementation through selection of Selecting a Sustainability Certification as a strategic choice.

+

Implementing a group certification programme may be necessary if sustainability certification has been identified as a strategic choice, but sufficient supplies of certified commodities are not readily available in your current, and future, supply chain. Group certification programmes can be a cost efficient way to create a supply of certified commodities by allowing small-scale farmers and producers to obtain certification with lower costs required individually.

+

The buyer and supplier should assess the opportunities for group certification programmes, the expected up-front investment cost and the expected cost avoidance and risk mitigation opportunities that come from its implementation. Such investments should be captured in the Cost of Goods model.

","

1. Income Perspective

+

Group certification can open up access to premium markets, leading to higher sales and income for farmers. Reduced individual costs of certification mean more funds are available for other operational investments, potentially increasing productivity and income.

+

2. Environment Perspective

+

Group certification programs often require farmers to adopt sustainable practices to meet certification standards. This encourages environmentally-friendly farming, which can lead to better environmental outcomes in the farming community.

","

1. Buyer Perspective

+

Risks

+

Complex Coordination: Coordinating multiple suppliers for a group certification program may introduce complexity in logistics and communication.

+

Dependence on Group Compliance: Relying on group compliance may pose a risk if individual suppliers fail to maintain the required standards, impacting overall certification.

+

Challenges in Group Alignment: Achieving alignment among diverse suppliers in terms of practices and commitment to certification may be challenging.

+

Trade-offs

+

Cost Efficiency vs. Customization: Buyers may face the trade-off between achieving cost efficiency through group certification programs and providing customization to individual suppliers. Striking the right balance involves optimizing group benefits without compromising the unique needs of each supplier.

+

Risk Mitigation vs. Supplier Independence: Buyers using group certification programs may seek risk mitigation through standardized processes, but this could affect the independence of individual suppliers. The trade-off involves managing risks while preserving the autonomy of suppliers.

+

Supplier Collaboration vs. Competitive Edge: Buyers promoting collaboration among suppliers through group certification programs may need to balance this with the potential loss of a competitive edge for individual suppliers. The challenge is to foster collaboration while maintaining a competitive marketplace.

+

Long-Term Sustainability vs. Short-Term Goals: Buyers must decide between pursuing long-term sustainability objectives through group certification and achieving short-term procurement goals. Striking the right balance involves aligning group efforts with broader sustainability goals.

+

2. Supplier Perspective

+

Risks

+

Loss of Autonomy: Suppliers may feel a loss of autonomy in adhering to group certification requirements, potentially affecting their individual brand image.

+

Free-Rider Phenomenon: Some suppliers within the group may benefit from certification without actively contributing to sustainable practices, creating a ""free-rider"" scenario.

+

Complexity in Adherence: Adhering to group certification standards may be challenging for suppliers with diverse operations and practices.

+

Trade-offs

+

Group Benefits vs. Individual Recognition: Suppliers may face the trade-off between benefiting from group certification programs and seeking individual recognition for their sustainability efforts. The challenge is to leverage group benefits while showcasing unique contributions.

+

Compliance Costs vs. Group Support: Suppliers may incur compliance costs for group certification, but this must be balanced against the support and resources provided by the group. The trade-off involves managing costs while leveraging the collective strength of the group.

+

Market Access vs. Autonomy: Suppliers participating in group certification programs may gain enhanced market access, but this could impact their autonomy in decision-making. The challenge involves accessing markets collaboratively while preserving individual business strategies.

+

Resource Allocation vs. Certification Standards: Suppliers may need to allocate resources effectively to meet group certification standards, but this must be balanced against the potential impacts on overall resource allocation. The trade-off involves optimizing resources for both group compliance and individual operational efficiency.

",

Indirect

,

Indirect

,

How Much Does Rainforest Alliance Certification Cost? | Rainforest Alliance (rainforest-alliance.org)

+13,Integrated Pest Management (IPM),

Definition: Integrated Pest Management is an approach to the management of pests on farms in an ecologically sensitive way. The approach combines knowledge of pest lifecycles and natural pest control from beneficial predator insects or disease resistant crops. Synthetic pesticides are only used when required.

,"

1. Enabling conditions in a Procurement Organization:

+

Clear Policies and Guidelines: Establishing comprehensive policies and guidelines that prioritize the adoption of IPM practices in the procurement of agricultural products.

+

Supplier Collaboration: Collaborating with suppliers to ensure their adherence to IPM principles, promoting sustainable and environmentally friendly pest control methods.

+

Education and Training: Providing education and training programs for procurement staff to enhance awareness and understanding of IPM practices.

+

Monitoring and Auditing: Implementing regular monitoring and auditing processes to assess supplier compliance with IPM principles and identify areas for improvement.

+

Incentives for Sustainable Practices: Offering incentives or rewards for suppliers who demonstrate effective implementation of IPM and sustainable pest management practices.

+

2. Enabling conditions on the farm level:

+

Integrated Pest Management Plan: Developing and implementing a comprehensive IPM plan tailored to the specific characteristics and challenges of the farm.

+

Crop Rotation and Diversity: Incorporating crop rotation and diverse plantings to disrupt pest cycles and create less favorable conditions for pests.

+

Biological Control: Utilizing natural predators, parasites, or pathogens to control pest populations and reduce reliance on chemical pesticides.

+

Monitoring Systems: Establishing regular monitoring systems to detect pest populations early and assess the effectiveness of control measures.

+

Community Engagement: Engaging with the local community, neighboring farms, and agricultural extension services to share knowledge and collectively address pest management challenges.

+

Continuous Improvement: Emphasizing a commitment to continuous improvement by regularly reviewing and updating IPM strategies based on monitoring results and emerging pest threats.

+

Both in a procurement organization and on a farm, a holistic and collaborative approach that integrates sustainable and environmentally friendly pest management practices is key to successful implementation of Integrated Pest Management.

","

Integrated pest management is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of integrate pest management can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs

+

• Improve yield and minimise disruption of supply due to pests

+

• Allow better yields for longer on the same land through avoiding environmental damage to soil and the wider ecosystem through excessive application of synthetic agrochemicals

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, directly with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

","

1. Environmental Perspective:

+

Biodiversity Preservation: IPM emphasizes the use of diverse and ecologically sustainable pest control methods, promoting biodiversity by avoiding the negative impact of broad-spectrum pesticides on non-target species.

+

Soil and Water Conservation: Reduced reliance on chemical pesticides in IPM practices contributes to the conservation of soil quality and water resources, supporting environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: While implementing IPM practices may require initial investment in training and monitoring, farmers can achieve long-term cost savings by reducing expenses on chemical inputs and potentially benefiting from government incentives for sustainable practices.

+

Access to Premium Markets: Farmers adopting IPM may gain access to premium markets that prioritize products produced using environmentally friendly and ecologically sustainable pest control methods, contributing to increased income.

+

3. Risk Perspective:

+

Reduced Dependency on Chemicals: IPM reduces the risk of developing pesticide-resistant pests, addressing a significant challenge in conventional agriculture. This enhances the long-term effectiveness of pest control strategies for farmers.

+

Health and Safety: IPM minimizes the health and safety risks associated with the handling and exposure to chemical pesticides, creating a safer working environment for farmers.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to inputs and resources. By supporting and incentivizing the adoption of IPM practices, procurement organizations contribute to the sustainable farming practices of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Potential Supply Chain Disruptions: Buyers must carefully manage the implementation of IPM to avoid disruptions in the availability of agricultural products, ensuring a stable and reliable supply chain.

+

Higher Costs: Buyers need to strategically navigate higher production costs from IPM practices, balancing sustainability goals with efficient procurement to manage overall expenses.

+

Limited Product Availability: Implementing IPM practices requires buyers to assess potential impacts on product availability, making informed decisions that maintain a balance between consistency and variety.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically navigate the trade-off between cost considerations and supporting sustainable pest management practices, ensuring both economic efficiency and environmental responsibility.

+

Consistency vs. Variety: Balancing a consistent supply with a diverse range of products necessitates compromises, requiring buyers to find an optimal mix that meets both supply chain stability and product variety.

+

2. Supplier Perspective:

+

Risks

+

Financial Impact: Suppliers adopting IPM practices must strategically manage initial cost increases, ensuring the financial impact doesn't compromise their stability during the transition.

+

Competitive Disadvantage: Suppliers practicing IPM must focus on mitigating competitive disadvantages, emphasizing the added value of environmentally friendly practices to counterbalance potential higher costs.

+

Transition Challenges: Suppliers transitioning to IPM should address challenges effectively to minimize disruptions and maintain productivity during the adaptation period.

+

Trade-offs

+

Cost vs. Environmental Impact: Suppliers must strategically navigate the trade-off between managing costs and minimizing the environmental impact of pest management practices, ensuring a balance between financial efficiency and ecological responsibility.

+

Innovation vs. Tradition: Suppliers adopting IPM practices must integrate innovation efforts with traditional methods, ensuring a harmonious coexistence that doesn't compromise established workflows.

+

Market Access vs. IPM Adoption: Suppliers targeting environmentally conscious markets must weigh the benefits of market access against the costs and challenges of adopting and maintaining IPM practices, aligning their strategies with evolving consumer expectations.

",

Direct

,

Direct

,"1. https://onlinelibrary.wiley.com/doi/full/10.1111/1477-9552.12306
+2. https://www.fao.org/pest-and-pesticide-management/ipm/integrated-pest-management/en/
+3. https://www.ncbi.nlm.nih.gov/pmc/articles/PMC4553536/
" +14,Long-Term Contracts,"

Definition

+

Use long-term contracts to mutually provide financial stability and the basis to encourage suppliers to invest in sustainability improvements across environmental and human rights areas.

","

Enabling conditions for the effective implementation of long-term contracts in a procurement organization include establishing robust risk management strategies, ensuring clear performance metrics and key performance indicators (KPIs), fostering strong relationships with suppliers, conducting thorough due diligence on contractual terms, maintaining flexibility to accommodate changes, and implementing advanced contract management technologies to facilitate monitoring and compliance over extended periods.

","

When is this a strategic choice?

+

When you need to give your supplier the confidence to invest in the transformative practices for the long term. For example, the supplier investment required in building their capability to ensure living income is achieved for smallholder farmers in their upstream supply chain. This can be a means to enable and support supplier capability building to perform actions that meet a buyer’s identified strategic needs.

+

What it means:

+

• This requires a mind-set shift on your part as a buyer; moving from short-term transactional activities, to long-term, e.g. 5 year plus, cost horizons for strategic activities.

+

• Ensure as a buyer you have engaged with your supplier and identified a genuine opportunity for mutual value creation. For example, implementing a longer-term contract will remove volatility for you as a buyer and provide more secure income to the supplier.

+

• Watch out: Do not engage your supplier in this strategic choice if you are not certain that you can deliver, i.e. you are pushed internally to take advantage when markets are favourable. If you pull out of the contract in twelve months, this will damage trust and your reputation as a buyer.

","

1. Income Stability:

+

Long-term contracts provide farmers with a stable pricing structure, reducing income volatility and offering financial stability for their households.

+

2. Risk Mitigation:

+

By mitigating the impact of market price fluctuations, long-term contracts protect farmers from sudden downturns, preserving their income levels and ensuring financial security.

+

3. Investment Confidence:

+

The confidence provided by long-term contracts encourages farmers to make investments in technology, equipment, and sustainable practices, ultimately leading to increased productivity and income.

+

4. Financial Planning:

+

Long-term contracts enable effective planning for farmers, both in terms of crop cycles and financial management, contributing to better financial planning and increased farm productivity.

+

5. Incentive Alignment:

+

Aligning incentives in long-term contracts creates a collaborative environment where both farmers and buyers benefit from the success of the partnership, encouraging investment in sustainable and efficient farming practices.

+

6. Negotiation Empowerment:

+

Long-term contracts grant farmers greater negotiation power, allowing them to secure favorable terms and pricing structures that positively impact their income.

+

7. Trust Building:

+

The continuity of long-term relationships builds trust between farmers and buyers, fostering reliability, transparency, and mutual understanding, positively influencing income-related negotiations.

+

8. Sustainable Farming Practices:

+

Long-term contracts create a conducive environment for the adoption of sustainable farming practices, aligning with environmental stewardship goals and enhancing the quality of the farmers' products.

+

9. Financial Access:

+

The more secure financial outlook provided by long-term contracts makes it easier for farmers to access credit and investment opportunities, supporting increased productivity and income.

+

10. Crop Diversification:

+

Long-term contracts encourage crop diversification, allowing farmers to experiment with different crops and potentially increase their income through diversified revenue streams.

","

1. Buyer Perspective

+

Risks

+

Market Volatility: Long-term contracts may expose buyers to market fluctuations, impacting the competitiveness of pricing and terms over time.

+

Technological Obsolescence: Advancements in technology may render contracted goods or services outdated, leading to potential inefficiencies or obsolete solutions.

+

Changing Requirements: Evolving business needs could result in misalignment with the originally contracted goods or services, requiring modifications that may be challenging.

+

Trade-offs

+

Cost Certainty vs. Market Flexibility: Buyers may seek cost certainty through long-term contracts, but this can limit their ability to take advantage of market fluctuations or negotiate lower prices during periods of market decline.

+

Supplier Commitment vs. Competitive Bidding: Long-term contracts often require supplier commitment, but this can reduce the opportunity for competitive bidding, potentially limiting cost savings.

+

Risk Mitigation vs. Innovation: Long-term contracts provide stability and risk mitigation, but they may hinder the buyer's ability to quickly adopt new technologies or benefit from innovations in the market.

+

Relationship Building vs. Supplier Diversity: Developing strong relationships with a few suppliers in long-term contracts can enhance collaboration, but it may limit the diversity of suppliers and potential innovation from different sources.

+

2. Supplier Perspective:

+

Risks

+

Resource Commitment: Suppliers may face challenges adapting to changing market conditions or technology, potentially affecting their resource allocation and profitability.

+

Contract Inflexibility: Long-term contracts may limit a supplier's ability to adjust pricing or terms in response to unforeseen circumstances.

+

Dependency: Suppliers may become overly dependent on a single buyer, leading to vulnerability if the buyer faces financial issues or changes in strategy.

+

Trade-offs

+

Stable Revenue vs. Market Opportunities: Long-term contracts offer stable revenue, but suppliers may forego opportunities to take advantage of higher market prices or more lucrative contracts.

+

Production Planning vs. Flexibility: Long-term contracts allow for better production planning, but they may restrict a supplier's flexibility to adapt quickly to changing market conditions or technological advancements.

+

Cost Efficiency vs. Price Negotiation: Suppliers may achieve cost efficiency through long-term relationships, but this could limit their ability to renegotiate prices upward in response to increased costs or inflation.

+

Collaboration vs. Market Exposure: Building a collaborative relationship with a buyer in a long-term contract is beneficial, but it may limit a supplier's exposure to a broader market and potential new customers.

",

Indirect

,

Indirect

,"

Starbucks & C.A.F.E Initiative in Brazil

+

https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf

" +15,Reducing upstream supplier tiers,"

Definition

+

Shorten the supply chain when current purchasing practices limit influence over sustainability improvements. Closer relationships with upstream suppliers improve effectiveness, reduces costs (removing value chain actors that are not value adding), and reduces risk.

","

1. Strategic Alignment with Organizational Goals

+

Prerequisite: Ensure alignment with overall organizational goals and strategic objectives.

+

Enablement: Strategic alignment guides decision-making towards choices contributing to long-term success.

+

2. Internal Capability Assessment

+

Prerequisite: Evaluate the organization's internal capabilities, expertise, and capacity.

+

Enablement: Understanding internal strengths and limitations aids in determining the feasibility of in-house production.

+

3. Market Assessment and Supplier Evaluation

+

Prerequisite: Conduct a market assessment and evaluate potential suppliers.

+

Enablement: Comprehensive supplier evaluation ensures alignment with organizational needs and goals.

+

4. Comprehensive Cost Analysis:

+

Prerequisite: Conduct a thorough cost analysis for both in-house production and external procurement.

+

Enablement: Detailed cost insights facilitate informed decision-making and resource allocation.

+

5. Cross-Functional Collaboration:

+

Prerequisite: Encourage collaboration between procurement, production, and other relevant departments.

+

Enablement: Cross-functional collaboration enhances information sharing and a holistic approach to decision-making.

+

6. Risk Identification and Mitigation Strategies

+

Prerequisite: Identify potential risks associated with both options and develop mitigation strategies.

+

Enablement: Proactive risk management enhances decision resilience and minimizes potential disruptions.

+

7. Regulatory Compliance Assessment

+

Prerequisite: Assess and ensure compliance with relevant regulations and standards.

+

Enablement: Compliance safeguards against legal issues and ensures ethical procurement practices.

+

8. Contract Management Expertise

+

Prerequisite: Have expertise in contract management for effective supplier relationships.

+

Enablement: Strong contract management ensures that external partnerships align with contractual expectations.

+

9. Scenario Planning

+

Prerequisite: Conduct scenario planning for various market conditions and internal capabilities.

+

Enablement: Scenario planning helps in anticipating potential changes and making adaptable decisions.

+

10. Continuous Monitoring and Evaluation

+

Prerequisite: Implement continuous monitoring and evaluation mechanisms post-implementation.

+

Enablement: Regular assessments ensure the ongoing relevance and effectiveness of the chosen Make vs. Buy strategy.

","

When is this a strategic choice?

+

When the spend category is business critical and the value chain visibility analysis surfaces value chain actors who are adding cost and not mitigating risk. This may also be a strategic choice when there are simply so many steps in the value chain that the ability to leverage influence to address environmental and social risks is significantly reduced.

+

What it means:

+

• Reviewing and repeating the supplier sustainability assessment and supplier segmentation activities for actors in the value chains of interest. This allows you to identify partners who have the commitment and the capability to mitigate the sustainability risks surfaced in the value chain risk assessment.

+

• Once these suppliers have been identified, the next step will be building and developing new supplier relationships with long term commitments.

","

Income Perspective

+

By working more directly with buyers and reducing layers of intermediaries, farmers gain clearer market access and greater income stability. Direct relationships can secure consistent demand, better prices, and access to technical and financial support, reducing reliance on fragmented or uncertain markets.

+

Environmental Perspective

+

Closer integration with buyers can align farm practices with corporate sustainability goals, encouraging reduced chemical use, improved soil and water management, and enhanced biodiversity. With fewer supply chain layers, monitoring and support for environmental improvements become more effective, leading to stronger outcomes on farm.

","

1. Buyer Perspective

+

Risks

+

Operational Complexity: In-house production may introduce operational complexities, including managing additional resources, technology, and expertise.

+

Investment Risk: Investing in production capabilities involves a significant upfront cost, which may not be justified if demand fluctuates.

+

Dependency on Internal Processes: Relying solely on internal processes may limit the buyer's agility in responding to market changes.

+

Trade-offs

+

Cost Efficiency vs. Control: Buyers may face the trade-off between achieving cost efficiency through outsourcing (buying) and maintaining greater control over processes through in-house production (making). Deciding on the right balance involves evaluating the importance of cost savings versus control.

+

Expertise Access vs. In-House Skills Development: Buyers must weigh the advantage of accessing external expertise through outsourcing against the potential benefits of developing in-house skills. The trade-off involves deciding between immediate access to specialized knowledge and building internal capabilities over time.

+

Risk Mitigation vs. Flexibility: Buyers may prioritize risk mitigation by outsourcing certain processes to specialized suppliers, but this could reduce the flexibility to make rapid changes internally. Balancing risk mitigation with the need for adaptability is crucial in the decision-making process.

+

Time-to-Market vs. Quality Control: Buyers may need to balance the desire for a rapid time-to-market through outsourcing against the need for stringent quality control in in-house production. Striking the right balance involves considering time constraints while ensuring product or service quality.

+

2. Supplier Perspective

+

Risks

+

Overdependence on a Single Buyer: Suppliers heavily reliant on a single buyer may face financial vulnerabilities if the buyer changes its production strategy.

+

Market Access Challenges: Suppliers relying solely on external sales may face challenges in accessing certain markets or industries.

+

Limited Control over Production: Suppliers may face risks associated with limited control over production processes and quality standards.

+

Trade-offs

+

Stability through Contracts vs. Market Volatility: Suppliers may face the trade-off between seeking stability through long-term contracts with buyers and navigating market volatility. Long-term contracts offer stability but may limit the ability to respond quickly to market changes.

+

Specialization vs. Diversification: Suppliers must decide between specializing in a particular product or service for a single buyer (making) and diversifying their offerings to cater to multiple buyers (buying). The trade-off involves assessing the benefits of specialization against the risks of dependence on a single buyer.

+

Economies of Scale vs. Customization: Suppliers may weigh the advantages of achieving economies of scale through serving multiple buyers against the customization requirements of individual buyers. The trade-off involves deciding between mass production efficiency and tailoring products or services to specific buyer needs.

+

Cash Flow Predictability vs. Market Dependency: Suppliers may prioritize cash flow predictability through long-term contracts, but this may result in dependency on specific buyers. Balancing cash flow stability with market diversification is essential for supplier sustainability.

",

Direct

,

Indirect

,"

IDH Interview Session

+

https://webassets.oxfamamerica.org/media/documents/Business-briefing-Issue-1-V3.pdf

" +16,Mutual supplier-based incentives,"

Definition

+

Develop shared incentive programs to accelerate strategic implementation, especially when building supplier capability, reducing supplier tiers, or transitioning to direct sourcing relationships.

","

To effectively implement Performance-Based Incentives in procurement, a logical progression includes defining clear performance metrics, establishing transparent contractual agreements, developing robust data analytics capabilities, implementing effective Supplier Relationship Management (SRM), establishing communication and feedback mechanisms, defining performance evaluation criteria, designing flexible incentive structures, providing training and support programs, ensuring financial stability, and ensuring legal and ethical compliance, creating a conducive environment for continuous improvement and collaboration with suppliers.

","

When is this a strategic choice?

+

If it has been identified that effective mitigation of sustainability risks can only be achieved through long-term partnering with upstream supply chain actors, trust must be built to provide the foundation for an effective relationship.

+

What it means:

+

Committing to deep partnering and to genuinely understanding what is mutual for both buyer and supplier. This will require confronting and agreeing a fair balance of value creation and acceptance of risk for both parties.

+

This is important to consider when exploring actions such as Supplier Capability Building, Reducing Upstream Supplier Tiers, and Direct Farmer Contracting.

","

Income Perspective

+

Mutual incentive schemes increase farmer income by rewarding achievement of shared targets agreed with buyers. Aligning incentives to continuous improvement and efficiency creates additional opportunities to strengthen profitability while building longer term partnerships.

+

Environmental Perspective

+

When incentives are jointly tied to sustainability goals, farmers are encouraged to adopt practices that improve soil, water, and biodiversity outcomes. This supports climate resilience, long term productivity, and alignment with buyer commitments on sustainable sourcing.

","

1. Buyer Perspective

+

Risks

+

Financial Strain: Offering performance-based bonuses may strain the buyer's budget, especially if multiple suppliers are eligible for bonuses simultaneously.

+

Potential for Misalignment: There's a risk that the buyer's expectations for performance may not align with the supplier's capabilities, leading to disputes over bonus eligibility.

+

Supplier Dependence: Over-reliance on performance bonuses may create a dependency on bonuses rather than fostering sustainable long-term performance improvements.

+

Trade-offs

+

Cost Savings vs. Performance Quality: Buyers may face the trade-off between achieving cost savings and ensuring high performance quality through incentives. Striking the right balance involves aligning incentives with performance expectations without compromising cost-efficiency.

+

Contractual Rigidity vs. Flexibility: Buyers using performance-based incentives may grapple with maintaining contractual rigidity and allowing flexibility for suppliers to meet performance targets. The trade-off involves defining clear performance metrics while accommodating dynamic market conditions.

+

Risk Mitigation vs. Innovation: Buyers may use performance-based incentives for risk mitigation, but this could impact supplier innovation. Balancing risk management with fostering innovation involves setting incentives that encourage both reliability and continuous improvement.

+

Supplier Accountability vs. Relationship Building: Buyers may emphasize supplier accountability through performance-based incentives, but this may affect the overall relationship with suppliers. Striking the right balance involves holding suppliers accountable while fostering a positive working relationship.

+

2. Supplier Perspective

+

Risks

+

Unrealistic Performance Expectations: Suppliers may face challenges if the buyer sets overly ambitious or unrealistic performance targets.

+

Financial Dependence: Dependence on performance bonuses may create financial uncertainty if bonuses are not consistently achieved.

+

Operational Strain: Intense focus on bonus-driven metrics might strain the supplier's operations, potentially affecting overall service or product quality.

+

Trade-offs

+

Profitability vs. Performance: Suppliers may face the trade-off between maximizing profitability and meeting performance metrics to earn incentives. Balancing the desire for profit with the commitment to achieving performance targets is crucial for supplier success.

+

Resource Allocation vs. Incentive Earning: Suppliers may need to allocate resources effectively to meet performance targets, but this must be balanced against the potential for earning incentives. The trade-off involves optimizing resource allocation for both performance and profitability.

+

Stability vs. Variable Income: Suppliers relying on performance-based incentives may experience variability in income. The trade-off involves managing income stability while leveraging performance incentives as a revenue stream.

+

Long-Term Relationships vs. Short-Term Targets: Suppliers may need to balance building long-term relationships with buyers and meeting short-term performance targets for incentives. Striking the right balance involves aligning performance incentives with broader relationship-building objectives.

",

Direct

,

Direct

,"

EY Based Interview Session

+

https://thegiin.org/assets/Understanding%20Impact%20Performance_Agriculture%20Investments_webfile.pdf

" +17,Precision Agriculture,"

Definition

+

Deploy precision agriculture technologies to reduce environmental impacts and input costs on farms.

","

1. Enabling Conditions for Precision Agriculture in a Procurement Organization:

+

Data Integration Systems: Implementation of robust systems for collecting, integrating, and analyzing agricultural data to inform procurement decisions based on precise insights.

+

Technology Adoption: Adoption of cutting-edge technologies such as sensors, GPS, drones, and data analytics platforms to monitor and optimize agricultural processes.

+

Supplier Collaboration: Collaborative partnerships with suppliers who employ precision agriculture practices, fostering a seamless integration of technology-driven approaches throughout the supply chain.

+

Educational Programs: Training procurement staff on the principles and benefits of precision agriculture, enhancing their ability to make informed decisions.

+

Regulatory Compliance: Ensuring alignment with relevant regulations and standards related to data privacy, technology use, and environmental sustainability in precision agriculture.

+

2. Enabling Conditions for Precision Agriculture on a Farm:

+

Technology Infrastructure: Establishment of a reliable and efficient technology infrastructure, including high-speed internet and connectivity to support precision agriculture applications.

+

Data Management and Analysis: Implementation of robust data management systems and analytics tools to process and interpret data collected from precision agriculture technologies.

+

Skill Development: Continuous training and skill development for farm personnel to effectively operate and leverage precision agriculture tools and technologies.

+

Equipment and Sensor Integration: Integration of precision agriculture equipment, sensors, and monitoring devices into farm operations to optimize resource use and enhance overall efficiency.

+

Financial Investment: Availability of financial resources to invest in the initial setup and ongoing maintenance of precision agriculture technologies and equipment.

+

Sustainable Practices: Integration of precision agriculture with sustainable farming practices, considering environmental impact and resource conservation.

+

For both procurement organizations and farms, a holistic approach that combines technological infrastructure, data-driven decision-making, collaboration with stakeholders, and a commitment to sustainable practices is essential for successful implementation of precision agriculture.

","

Precision agriculture technologies are any technologies or practices which optimises agricultural inputs. For example, mapping the soil nutrient levels across a field and then adjusting fertiliser applications across the field to match the required nutrient levels.

+

When is this a strategic choice?

+

When you, as the buyer, have a clear understanding of current and future sourcing origins and are prepared to actively support suppliers in adopting precision agriculture systems.

+

What it means:

+

• As a buyer you are confident that your suppliers have both the capability and commitment to implement and sustain the technology infrastructure required for precision agriculture. This may include Geographic Information Systems (GIS), input optimisation tools, and precision machinery.

+

• As a buyer you are also prepared to provide any additional support needed, including investment capital if necessary.

+

• This strategy depends on suppliers maintaining long-term, trust-based relationships with producers at the farm level.

","

1. Environmental Perspective:

+

Reduced Environmental Impact: Precision agriculture minimizes the environmental impact of farming activities by precisely targeting inputs, minimizing runoff, and optimizing resource use. This supports environmental sustainability and conservation.

+

Soil and Water Conservation: By precisely managing inputs, precision agriculture helps farmers conserve soil quality and water resources, reducing the overall environmental footprint of farming.

+

2. Income Perspective:

+

Cost Savings: Precision agriculture technologies enable farmers to make more informed decisions, reducing input costs and improving overall operational efficiency. This leads to cost savings and increased profitability for farmers.

+

Increased Yields: Improved decision-making based on real-time data can lead to increased yields, contributing to higher income for farmers.

+

3. Risk Perspective:

+

Climate Resilience: Precision agriculture provides tools for farmers to adapt to climate variability by offering real-time data on weather patterns and allowing for more effective risk management.

+

Market Viability: Adoption of precision agriculture practices enhances the market viability of farmers by showcasing their commitment to sustainable and technologically advanced farming methods, reducing the risk of market exclusion.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are vital in providing access to advanced technologies and resources. By supporting and incentivizing the adoption of precision agriculture practices, procurement organizations contribute to the technological advancement and sustainability of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Initial Investment Costs: Buyers should strategically manage the upfront investment in precision agriculture, ensuring the technology aligns with long-term procurement goals without exceeding budget constraints.

+

Dependency on Technology: Buyers must assess and mitigate the risk of overreliance on precision agriculture technology by implementing backup systems and contingency plans for supply chain disruptions.

+

Data Security Concerns: Buyers need to address data security concerns by implementing robust cybersecurity measures, safeguarding sensitive information collected through precision agriculture.

+

Trade-offs

+

Cost vs. Efficiency: Buyers should make strategic decisions on the adoption of precision agriculture technology, weighing upfront costs against expected long-term efficiency gains in procurement and supply chain management.

+

Environmental Impact vs. Productivity: Deciding on the level of technology adoption involves a trade-off between potential environmental benefits and increased productivity, requiring buyers to find a balanced approach that aligns with sustainability goals.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers investing in precision agriculture must carefully manage financial strain, strategically allocating resources to ensure the adoption of technology doesn't compromise their stability.

+

Technological Skill Gaps: Suppliers should address skill gaps by investing in training or recruiting skilled personnel to effectively adopt and implement precision agriculture practices.

+

Market Access Challenges: Suppliers without means to adopt precision agriculture may face challenges accessing markets that prioritize technologically advanced practices, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Competitiveness: Suppliers must strategically balance the costs of adopting precision agriculture with the potential for increased competitiveness in the market, ensuring a sound investment in technology.

+

Innovation vs. Tradition: Allocating resources to adopt new technologies involves a trade-off with traditional farming practices, requiring suppliers to find a harmonious integration that maintains productivity.

+

Market Access vs. Technology Adoption: Suppliers need to weigh the benefits of market access against the costs and challenges of transitioning to and maintaining precision agriculture practices, aligning their strategies with evolving buyer expectations.

",

Direct

,

Direct

,"1. https://www.aem.org/news/the-environmental-benefits-of-precision-agriculture-quantified
+2. https://geopard.tech/blog/the-environmental-benefits-of-precision-agriculture/
+3. https://www.mdpi.com/2071-1050/9/8/1339
+4. https://www.precisionfarmingdealer.com/blogs/1-from-the-virtual-terminal/post/4673-the-environment-and-farmers-reap-benefits-of-precision-ag-technology
" +18,Procurement-Driven Sustainability Investments,"

Definition

+

Invest strategically where required improvements are not yet in place or need acceleration. Incentivise suppliers to adopt sustainability practices aligned with internal and external analysis.

","

To enable financially robust and strategically impactful procurement-driven sustainability investments, a procurement organization should prioritize:

+

1. Strategic Investment Planning: Rigorous financial planning for effective resource allocation.

+

2. Strategic Procurement Investment Strategy: Developing a comprehensive strategy aligning procurement investments with overall organizational goals, considering different investments methods (direct / indirect)

+

3. Cost-Benefit Analysis: Implementing analyses to weigh costs against anticipated sustainability impact and long-term value.

+

4. Risk and Return Analysis: Conducting thorough assessments to understand financial risks and returns associated with sustainability investments.

+

5. Performance Metrics Alignment: Ensuring financial metrics align with sustainability performance indicators.

+

6. Strategic Supplier Engagement: Engaging with suppliers aligned with sustainability goals in a strategic manner.

+

7. Technology for Financial Insight: Leveraging technology tools for financial insight and reporting.

+

8. Return on Investment (ROI) Tracking: Establishing mechanisms to monitor and assess the financial outcomes of sustainability initiatives.

+

9. Continuous Improvement Culture: Fostering a culture of continuous improvement within the financial and strategic aspects of sustainability investments.

+

10. Regulatory Compliance Management: Incorporating financial planning to ensure compliance with environmental regulations.

","

When is this a strategic choice?

+

Based on the internal and external analysis – this will have been identified as an investment opportunity to support supplier improvements.

+

What it means:

+

When you need to give your supplier the confidence to invest in the transformative practices for the long term. This investment may take many forms – depending on your needs as the buyer and what is mutual for both buyer and supplier. For example:

+

• Long term contracts: Giving confidence to the supplier to invest in capability building

+

• Pre-financing agreements: Finance provided upfront to enable a supplier or farmer to cover costs needed to start an initiative. Investment comes back to the buyer further down the line.

+

• Cost of Goods Addition: When making a high-value purchase, a supplier/buyer agrees a minor additional percentage of the Cost Of Goods, enabling the supplier to invest in smallholder capability building. The percentage agreed can be decided based on a cost avoidance calculation done to understand the long term cost benefits of the capability building

+

• Performance Cost Model Incentives: Agreeing performance cost model incentives for the supplier, which reduce the buyers total cost of ownership. For example, price indexed to delivering high quality specifications, which brings efficiency by reducing waste for the buyer associated with receiving out-of-specification goods.

","

1. Supply Chain Resilience:

+

Environmental Perspective: Resilient supply chains, supported by sustainability investments, protect farmers from environmental risks, preserving their livelihoods.

+

Income Perspective: Stable supply chains ensure consistent income for farmers, reducing financial vulnerabilities associated with disruptions.

+

2. Quality Assurance:

+

Environmental Perspective: Implementing sustainable farming practices contributes to environmental conservation, ensuring the longevity of farming activities.

+

Income Perspective: High-quality products can command premium prices, positively impacting farmers' income.

+

3. Mitigating Supply Chain Risks:

+

Environmental Perspective: Sustainable farming practices reduce the risk of environmental degradation, safeguarding the long-term viability of farming.

+

Income Perspective: Mitigating supply chain risks ensures stable income for farmers, protecting them from financial uncertainties.

+

4. Ensuring Compliance:

+

Environmental Perspective: Adhering to sustainability standards promotes environmentally responsible farming practices.

+

Income Perspective: Ensuring compliance protects farmers from legal issues, preserving their income and reducing financial risks.

+

5. Long-Term Supply Assurance:

+

Environmental Perspective: Sustainable practices contribute to the long-term availability of agricultural inputs, ensuring the sustainability of farmers' livelihoods.

+

Income Perspective: Consistent supply ensures long-term income stability for farmers, reducing the risk of income fluctuations.

+

6. Cost Efficiency:

+

Environmental Perspective: Sustainable practices contribute to resource efficiency and reduce environmental impact.

+

Income Perspective: Cost-efficient practices positively impact farmers' income by optimizing production processes and reducing waste.

+

7. Market Access and Premiums:

+

Environmental Perspective: Sustainability investments enhance the marketability of products, contributing to environmental sustainability.

+

Income Perspective: Access to premium markets and higher prices for sustainable products directly benefits farmers' income.

+

8. Community Engagement:

+

Environmental Perspective: Community engagement initiatives support sustainable and community-focused farming practices.

+

Income Perspective: Positive community engagement contributes to stable income for farmers, fostering a supportive local environment.

+

9. Risk Mitigation Through Training:

+

Environmental Perspective: Training in sustainable practices supports environmental conservation and adaptation to changing conditions.

+

Income Perspective: Risk mitigation through training ensures farmers can adapt to market demands, preserving their income and livelihoods.

","

1. Buyer Perspective

+

Risks

+

Higher Initial Investment: Implementing sustainability initiatives may require a higher upfront investment in eco-friendly products or services.

+

Uncertain Return on Investment (ROI): The long-term financial benefits of sustainability investments may be uncertain, making it challenging to quantify ROI accurately.

+

Market Volatility: Dependence on sustainability-sensitive suppliers may expose the buyer to market fluctuations, impacting the financial stability of the supply chain.

+

Trade-offs

+

Cost vs. Sustainability Impact: Buyers may face the trade-off of prioritizing lower costs versus making sustainable procurement decisions that may involve higher upfront expenses. Striking the right balance is crucial for achieving sustainability goals while managing costs.

+

Supplier Relationship vs. Sustainable Sourcing: Building strong relationships with existing suppliers may conflict with the pursuit of sustainability if those suppliers do not align with sustainable sourcing practices. Buyers must balance loyalty with the need for suppliers committed to sustainability.

+

Short-Term vs. Long-Term Sustainability Goals: Buyers may need to decide between meeting short-term procurement targets and pursuing more ambitious, long-term sustainability goals. Achieving immediate sustainability gains may conflict with broader, transformative initiatives.

+

Standardization vs. Customization for Sustainability: Standardizing procurement processes can enhance efficiency, but customization may be necessary for tailoring sustainability requirements to specific products or suppliers. Balancing standardization and customization is crucial for effective sustainable procurement.

+

2. Supplier Perspective

+

Risks

+

Increased Production Costs: Adhering to sustainability standards may lead to increased production costs, impacting the supplier's financial performance.

+

Resource Constraints: Meeting stringent environmental criteria may strain supplier resources, affecting overall operational efficiency.

+

Market Exclusion: Suppliers not meeting sustainability standards may face exclusion from contracts, limiting market access and revenue opportunities.

+

Trade-offs

+

Cost Competitiveness vs. Sustainable Practices: Suppliers may face the trade-off of remaining cost-competitive while adopting sustainable practices, which might involve investments in eco-friendly technologies or certifications. Balancing these factors is essential for sustainable procurement partnerships.

+

Market Presence vs. Sustainability Credentials: Suppliers may need to weigh the importance of building a strong market presence against the need to invest in and showcase sustainability credentials. Striking the right balance ensures visibility and commitment to sustainability.

+

Flexibility vs. Compliance with Sustainable Standards: Suppliers may value flexibility in their operations, but strict compliance with sustainability standards may limit their operational freedom. Achieving compliance without compromising operational efficiency is a key trade-off.

+

Short-Term Profits vs. Long-Term Sustainability Investments: Suppliers may need to decide between prioritizing short-term profits and making long-term investments in sustainable practices. Balancing immediate financial gains with sustainable investments is critical for long-term success.

",

Indirect

,

Direct

,"

Based on IDH Interview sessions

+

https://www.iied.org/sites/default/files/pdfs/migrate/16509IIED.pdf

" +19,Regenerative agriculture,"

Definition: Adopt regenerative agriculture practices where internal commitments or identified value chain risks point to degradation in soil, nature, water, or biodiversity being priority areas to address. Regenerative agriculture approaches help mitigate risks using natural inputs and support long-term sustainability.

","

1. Enabling Conditions for Regenerative Agriculture in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize regenerative agriculture practices, emphasizing the sourcing of products from farms employing regenerative principles.

+

Supplier Engagement: Collaborative partnerships with suppliers committed to regenerative agriculture, encouraging transparency and the adoption of sustainable practices.

+

Educational Initiatives: Providing training and education for procurement professionals to enhance their understanding of regenerative agriculture principles and the associated benefits.

+

Certification Standards: Utilizing or establishing certification standards that recognize and verify regenerative farming practices, ensuring authenticity and compliance in the supply chain.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing regenerative agriculture to promote stability and encourage ongoing commitment to sustainable practices.

+

2. Enabling Conditions for Regenerative Agriculture on a Farm Level:

+

Holistic Farm Planning: Development of comprehensive farm plans that integrate regenerative agriculture principles, considering soil health, biodiversity, and ecosystem resilience.

+

Crop Rotation and Cover Crops: Implementation of crop rotation and cover cropping strategies to enhance soil fertility, reduce erosion, and promote biodiversity.

+

No-till Farming Practices: Adoption of no-till or reduced tillage methods to minimize soil disturbance and promote soil structure and carbon sequestration.

+

Agroforestry Integration: Integration of agroforestry practices, such as the planting of trees and perennial crops, to enhance biodiversity and provide ecosystem services.

+

Livestock Integration: Thoughtful integration of livestock into farming systems to mimic natural ecological processes, improve soil health, and contribute to nutrient cycling.

+

Community Involvement: Engagement with local communities, consumers, and agricultural extension services to raise awareness of regenerative agriculture and foster support for sustainable farming practices.

+

Both at the procurement organization and on the farm level, successful implementation of regenerative agriculture requires a commitment to sustainable principles, collaborative relationships, ongoing education, and the integration of regenerative practices into the core of farming and procurement strategies.

","

1. Cost Perspective:

+

Input Cost Reduction: Regenerative agriculture focuses on enhancing soil health and reducing the reliance on external inputs. This can lead to cost savings for agri-food companies by minimizing the need for synthetic fertilizers and pesticides.

+

Operational Efficiency: Improved soil health and biodiversity associated with regenerative practices contribute to operational efficiency, potentially reducing the need for extensive pest control and fertilization.

+

2. Revenue Perspective:

+

Market Differentiation: Agri-food companies adopting regenerative agriculture can differentiate themselves in the market by offering products with improved environmental and ethical credentials. This differentiation may attract consumers seeking sustainable and responsibly produced goods.

+

Premium Pricing: Products associated with regenerative agriculture may command premium prices due to their perceived environmental and health benefits, contributing to increased revenue.

+

3. Risk Perspective:

+

Supply Chain Resilience: Regenerative agriculture practices, such as diversified crop rotations and cover cropping, can enhance supply chain resilience by reducing vulnerability to climate-related risks, pests, and diseases.

+

Reputation Management: Agri-food companies adopting regenerative practices can mitigate reputational risks associated with environmental degradation and contribute to positive brand perception.

+

4. Link to Procurement Organizations:

+

The use of regenerative agriculture practices links back to procurement organizations as they influence the sourcing decisions of agri-food companies. Procurement teams play a role in establishing criteria that encourage suppliers to adopt regenerative practices, ensuring that the entire supply chain aligns with sustainability and regenerative goals.

","

Environmental Perspective

+

Practices such as cover cropping, reduced tillage, crop rotation, and integrating perennials build soil organic matter, improve water retention, and reduce erosion. Greater plant and microbial diversity strengthens ecosystems and enhances resilience. Lower reliance on synthetic fertilizers and chemicals reduces emissions, and regenerative systems can cut energy use through fewer field passes and input applications.

+

Income Perspective

+

Although transition may require upfront investment, long term cost savings come from reduced fertilizer, pesticide, and energy costs, alongside improved soil fertility and productivity. Access to markets that reward regenerative practices with price premiums or preferential sourcing further increases income potential.

+

Risk Perspective

+

Healthier soils and diversified systems improve resilience to drought, floods, and heat stress, reducing yield losses from climate volatility. Lower dependence on purchased inputs and fossil energy buffers farmers against price spikes and supply disruptions.

+

Link to Procurement Organizations

+

Regenerative agriculture approaches need time to implement. Procurement partners must be committed through a long-term sourcing strategy commitment to farmers to enable technical support and financial incentives. Recognizing regenerative outcomes and linking them to clear sustainability goals strengthens supply security while rewarding farmers for building resilient and climate positive production systems.

","

1. Buyer Perspective:

+

Risks

+

Higher Initial Costs: Buyers must carefully manage the potential increase in procurement expenses associated with higher production costs in regenerative agriculture, ensuring a balanced budget.

+

Variable Supply: Buyers need to address challenges related to variable crop yields in regenerative agriculture, implementing strategies to predict and manage supply fluctuations effectively.

+

Transition Period Challenges: Buyers should be aware of challenges suppliers may face during the transition to regenerative practices, taking measures to minimize potential impacts on product availability and consistency.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance the higher costs of regenerative agriculture against the desire to support environmentally sustainable and resilient farming practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Variety: Striking a balance between ensuring a consistent supply of products and offering a variety of goods requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and diversity.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting regenerative agriculture may face initial financial strain, requiring strategic resource allocation to mitigate the impact on competitiveness.

+

Transition Period Challenges: Suppliers transitioning to regenerative practices must address challenges in adapting to new methods, implementing measures to maintain productivity during the transition.

+

Market Access Challenges: Suppliers without the means to adopt regenerative practices may struggle with accessing markets that prioritize sustainability and regenerative agriculture, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers must weigh the costs and challenges of transitioning to regenerative agriculture against the potential market access and premium prices associated with sustainable and regenerative products, ensuring a sound investment in regenerative practices.

+

Innovation vs. Tradition: Allocating resources to adopt regenerative practices involves trade-offs with traditional methods, necessitating suppliers to find a harmonious integration that maintains productivity.

+

Crop Yield vs. Sustainability: Balancing the desire for higher crop yields with the commitment to regenerative and sustainable farming practices may require trade-offs, with suppliers finding optimal solutions that align with environmental goals.

",

Direct

,

Direct

,"1. https://www.unilever.com/news/news-search/2023/regenerative-agriculture-what-it-is-and-why-it-matters/#:~:text=This%20holistic%20land%20management%20system,water%20management%20and%20support%20livelihoods.
+2. https://www.nrdc.org/bio/arohi-sharma/regenerative-agriculture-part-4-benefits
+3. https://www.frontiersin.org/articles/10.3389/fsufs.2020.577723/full
+4. https://www.forbes.com/sites/forbesfinancecouncil/2020/01/30/is-regenerative-agriculture-profitable/
+5. https://www.nestle.com/sustainability/nature-environment/regenerative-agriculture
+6. https://www.unilever.com/planet-and-society/protect-and-regenerate-nature/regenerating-nature/
+7. https://demos.co.uk/wp-content/uploads/2023/09/Regenerative-Farming-Report-Final.pdf
+8. https://www.rainforest-alliance.org/insights/what-is-regenerative-agriculture/
" +20,Smallholder crop production,"

Definition: Where value chain visibility reveals reliance on smallholder farmers, support them in improving agricultural practices to manage sustainability risks and find opportunities to improve yield and supply security.

+

such as integrated pest management, soil conservation, and precision agriculture. This requires direct collaboration and supplier capability building.

","

1. Enabling Conditions of Small-Scale Crop Production in a Procurement Organization:

+

Inclusive Sourcing Policies: Establishment of inclusive procurement policies that prioritize the inclusion of small-scale farmers and their products in the supply chain.

+

Local Supplier Networks: Development of local supplier networks to connect with small-scale farmers, fostering collaboration and enabling their participation in procurement opportunities.

+

Fair Trade and Ethical Sourcing Standards: Adoption of fair trade and ethical sourcing standards to ensure fair compensation and ethical treatment of small-scale farmers in the supply chain.

+

Capacity Building: Implementation of capacity-building programs to empower small-scale farmers with the skills and knowledge needed to meet procurement requirements.

+

Financial Support: Provision of financial support or favorable payment terms to small-scale farmers to enhance their financial stability and facilitate their participation in procurement processes.

+

2. Enabling Conditions of Small-Scale Crop Production on the Farm Level:

+

Access to Resources: Provision of access to essential resources such as land, seeds, water, and credit to support small-scale farmers in crop production.

+

Training and Extension Services: Implementation of training programs and agricultural extension services to enhance the technical skills and knowledge of small-scale farmers.

+

Collective Action: Encouragement of collective action through farmer cooperatives or associations to strengthen the bargaining power of small-scale farmers in procurement negotiations.

+

Market Linkages: Establishment of direct market linkages between small-scale farmers and procurement organizations to facilitate the sale of their products.

+

Technology Adoption: Support for the adoption of appropriate agricultural technologies that enhance productivity and sustainability for small-scale farmers.

+

For both procurement organizations and small-scale farms, fostering collaboration, providing support, and implementing inclusive practices are essential for successful small-scale crop production that benefits both parties.

","

Smallholder crop production support can include agricultural practices such as integrated pest management, soil conservation, and precision agriculture. Such practices can help reduce negative environmental impacts, improve farmer crop yields, improve crop resilience to environmental changes and hence improve security of supply. Improving yields and crop resilience can subsequently improve level and stability of incomes for farmers.

+

When is this a strategic choice:

+

When value chain visibility surfaces smallholders as a key characteristic in a business’s value chain and environmental risks or social risks have been identified linked to these smallholders, leaning into supporting smallholders would be a strategic choice.

+

What it means:

+

• Smallholders usually have yield / knowledge gaps – which will need to be closed through training capability, this requires committed and long-term resource of implementing partners to be factored into cost of goods.

+

• Exploring the creation of co-operatives to facilitate capability building for large numbers of smallholders, is a practical management option.

+

• Long term commitments to smallholders through direct suppliers. Buyers must be prepared to create new pricing/cost models accounting for churn/loss of smallholders. Smallholder churn often occurs as smallholders are often ‘price takers’ taking a short term view of buyers, by taking the ‘best price’ the market has to offer.

","

1. Environmental Perspective:

+

Biodiversity Preservation: Small-scale crop production often involves diverse farming practices that support biodiversity and contribute to ecosystem health.

+

Sustainable Agriculture: Small-scale farmers are often more inclined to adopt sustainable and environmentally friendly practices, contributing to overall environmental conservation.

+

2. Income Perspective:

+

Market Access: Collaborating with agri-food companies provides small-scale farmers with broader market access, allowing them to sell their products to a wider audience and potentially increasing income.

+

Stable Incomes: Contractual agreements with agri-food companies can provide small-scale farmers with more stable and predictable incomes compared to traditional markets.

+

3. Risk Perspective:

+

Diversification of Income: Engaging with agri-food companies diversifies the income sources for small-scale farmers, reducing the risk associated with dependency on a single market or crop.

+

Access to Resources: Collaboration with agri-food companies may provide small-scale farmers with access to resources, technologies, and expertise that enhance their resilience to risks such as climate change and market fluctuations.

+

4. Link to Procurement Organizations:

+

For small-scale farmers, procurement organizations are crucial in providing access to markets and resources. By establishing partnerships and contracts with agri-food companies, procurement organizations contribute to the economic viability and sustainability of small-scale farmers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Inconsistency: Buyers must address potential supply inconsistencies from small-scale crop production, implementing strategies to manage and predict procurement demands effectively.

+

Quality Variability: Buyers need to manage fluctuations in crop quality resulting from the variability in farming practices among small-scale producers, ensuring consistent product standards.

+

Limited Capacity: Buyers should be aware of the limitations small-scale farmers may face in meeting large-scale procurement requirements, taking measures to support them during peak demand periods.

+

Trade-offs

+

Cost vs. Local Impact: Buyers should strategically balance potential cost advantages of large-scale production with the desire to support local communities and small-scale farmers, making procurement decisions that align with social impact goals.

+

Consistency vs. Diversity: Striking a balance between ensuring a consistent supply from larger suppliers and offering the diversity of products from small-scale farmers requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and variety.

+

2. Supplier Perspective:

+

Risks

+

Market Access Challenges: Small-scale farmers must address challenges in accessing markets due to competition with larger suppliers, implementing strategies to overcome barriers and establish a market presence.

+

Limited Bargaining Power: Individual small-scale farmers should be aware of their limited bargaining power in negotiations with procurement organizations, strategizing to secure fair terms of trade.

+

Financial Vulnerability: Small-scale farmers need to mitigate financial vulnerability by diversifying their buyer base and reducing dependence on a single buyer or limited market access.

+

Trade-offs

+

Scale vs. Autonomy: Small-scale farmers must balance the potential advantages of larger-scale production with the desire to maintain autonomy and independence, making strategic decisions that align with their values and goals.

+

Efficiency vs. Sustainability: Small-scale farmers may face trade-offs between adopting more efficient practices and maintaining sustainability, requiring strategic decisions to meet procurement demands without compromising long-term environmental goals.

+

Market Access vs. Local Focus: Deciding on the extent to which small-scale farmers want to engage with larger markets while maintaining a focus on local and community needs involves trade-offs, requiring a thoughtful approach that aligns with their overall mission.

",

Direct

,

Direct

,"1. https://www.wbcsd.org/Sector-Projects/Forest-Solutions-Group/Resources/Sustainable-Procurement-Guide
+2. https://www.worldwildlife.org/industries/sustainable-agriculture
+3. https://www.sciencedirect.com/science/article/abs/pii/S0959652619305402
+4. https://www.fao.org/3/i5251e/i5251e.pdf
+5. https://www.eci.ox.ac.uk/sites/default/files/2022-05/Farming-food-WEB.pdf
+6. https://www.iied.org/sites/default/files/pdfs/migrate/16518IIED.pdf
+7. https://www.ncbi.nlm.nih.gov/pmc/articles/PMC8998110/
" +21,Soil conservation,"

Definition

+

Introduce soil conservation practices where soil degradation threatens supply security or where carbon sequestration supports decarbonisation goals.

","

1. Enabling Conditions for Soil Conservation in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers practicing soil conservation, emphasizing environmentally responsible and soil-enhancing agricultural practices.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of soil conservation practices and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to soil conservation, fostering partnerships, and incentivizing the adoption of sustainable farming practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify soil conservation practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing soil conservation to promote stability and incentivize continued commitment to sustainable and soil-friendly farming methods.

+

2. Enabling Conditions for Soil Conservation on a Farm Level:

+

Conservation Tillage Practices: Adoption of conservation tillage methods, such as no-till or reduced tillage, to minimize soil disturbance and erosion.

+

Cover Cropping: Integration of cover crops into farming practices to protect and enrich the soil, reduce erosion, and improve overall soil structure.

+

Crop Rotation: Implementation of crop rotation strategies to enhance soil fertility, minimize pest and disease pressure, and contribute to sustainable soil management.

+

Terracing and Contour Farming: Construction of terraces and use of contour farming techniques to reduce water runoff, prevent soil erosion, and promote water retention in the soil.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective soil conservation practices, optimizing soil health and overall sustainability.

+

Successful implementation of soil conservation requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of soil-friendly principles into the core of farming and procurement strategies.

","

Soil Conservation is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of soil conservation can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers

+

• Improve yield through enhanced soil fertility

+

• Help protect farmers against drought through better soil water retention

+

• Improve carbon sequestration of the soil. If appropriately set up, monitored, measured and accounted, this could contribute to business carbon reduction commitments. If certified, it could also create a secondary income stream through farmers selling carbon credits.

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, directly with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

","

1. Environmental Perspective:

+

Biodiversity Promotion: Soil conservation practices contribute to biodiversity by creating a healthier and more balanced ecosystem within agricultural landscapes.

+

Water Quality Improvement: Soil conservation helps prevent soil runoff, improving water quality and contributing to environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: Farmers can achieve cost savings through soil conservation practices by reducing expenses related to soil inputs, erosion control measures, and potentially increasing overall income.

+

Diversified Income Streams: Soil conservation practices may create opportunities for farmers to diversify income streams, such as selling carbon credits or participating in conservation programs.

+

3. Risk Perspective:

+

Reduced Crop Failure Risk: Healthy soils resulting from conservation practices reduce the risk of crop failure by providing optimal conditions for plant growth and resilience against pests and diseases.

+

Climate Resilience: Soil conservation practices enhance climate resilience by improving soil structure and water retention, helping farmers adapt to changing weather patterns.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to markets and resources. By supporting and incentivizing the adoption of soil conservation practices, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Adoption of soil conservation practices may lead to variations in agricultural production and potential disruptions in the supply chain, affecting product availability.

+

Transition Costs: Suppliers implementing soil conservation practices may incur initial costs, potentially impacting product prices and affecting the overall procurement budget.

+

Certification Challenges: Ensuring adherence to certification standards related to soil conservation may pose challenges, requiring rigorous monitoring and verification.

+

Trade-offs

+

Cost vs. Sustainability: Balancing potential cost implications of products from suppliers practicing soil conservation with the desire to support environmentally responsible sourcing practices.

+

Consistency vs. Innovation: Striking a balance between consistent supply from traditional sources and the innovative adoption of soil conservation practices within the supply chain.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting soil conservation practices may initially face higher costs, potentially causing financial strain and impacting competitiveness.

+

Transition Period Challenges: Implementation of new soil conservation techniques may pose challenges during the initial phases, affecting production efficiency and consistency.

+

Market Access Concerns: Suppliers may face challenges in accessing markets that prioritize traditional, non-conservation farming practices.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of adopting soil conservation practices against potential market access and premium prices associated with sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adopt soil conservation practices may divert attention and resources from traditional production methods.

+

Short-Term Costs vs. Long-Term Benefits: Balancing the short-term financial implications of transitioning to soil conservation with the potential long-term benefits in terms of soil health, productivity, and environmental sustainability.

+

Addressing these risks and trade-offs requires careful planning, collaboration, and a long-term perspective from both buyers and suppliers in the procurement process.

",

Direct

,

Direct

,

Conservation agriculture- Case studies in Latin America and Africa (fao.org)

+22,Supplier Capability Building,"

Definition

+

Build supplier capabilities when internal or external analysis identifies gaps in delivering sustainability outcomes. Direct investment may be the most effective way to manage risks and secure competitive sourcing.

","

Enabling effective implementation of supplier capacity-building initiatives in a procurement organization involves conducting a thorough needs assessment, defining clear objectives, integrating initiatives into the overall procurement strategy, allocating sufficient resources, establishing transparent communication channels, building collaborative partnerships, developing targeted training programs, leveraging technology, implementing robust monitoring and evaluation mechanisms, and incorporating recognition and incentives, ensuring a conducive environment for suppliers' skill development and overall capacity improvement.

","

When is this a strategic choice?

+

When the spend category is business critical, based on the outcomes of the Incorporate Business Strategy intervention, and when a gap in supplier capability, identified in the Supplier Segmentation, has been identified as critical to overcome for optimising costs, ensuring security of supply, or mitigating risks.

+

What it means:

+

This will require resource either directly from a buyer’s business or to support identifying an implementation partner for a supplier.

+

• Direct resource could include providing direct funding through procurement-driven sustainability investments, providing technical know-how, or supporting the supplier to build quality assurance capability.

+

• Implementation partners could include, for example, identifying in-country partners to work directly with smallholder farmers to coordinate smallholder crop production improvement activities.

","

1. Income Perspective

+

All aspects of supplier capacity building will help farmers to increase their income. Enhanced productivity, improved product quality and market access, and access to financial resources all contribute to the potential for increased sales and profits. Additionally, longer-term partnerships can provide more predictable income streams for farmers.

+

2. Environment Perspective

+

Capacity building that promotes sustainable practices and efficient resource utilization fostincs environmentally-friendly farming. This doesn't just benefit the environment but also the farmers, as such practices can lead to healthier soil, increased resilience to climate change, and potential eligibility for certain grants or subsidies.

","

1. Buyer Perspective

+

Risks

+

Resource Intensity: Implementing capacity-building initiatives may require significant time and resources, impacting the buyer's budget and operational efficiency.

+

Dependency on Suppliers: Developing strong supplier capabilities may create a dependency on key suppliers, posing a risk in case of supplier-related disruptions.

+

Unrealized Returns: Despite investments, there is a risk that the expected returns in terms of improved supplier performance may not be fully realized.

+

Trade-offs

+

Short-Term vs. Long-Term Impact: Buyers may face the trade-off between addressing immediate procurement needs and making long-term investments in supplier capacity building. Balancing short-term requirements with the long-term impact on supplier capabilities is essential.

+

Cost vs. Quality in Capacity Building: Buyers may need to decide on the level of investment in supplier capacity building, considering the trade-off between cost considerations and the quality of the capacity-building initiatives. Striking the right balance ensures cost-effectiveness without compromising quality.

+

Speed vs. Thoroughness: Buyers may prioritize swift capacity-building initiatives, but this may come at the expense of a more comprehensive and thorough approach. Deciding between speed and thoroughness involves assessing the urgency of capacity building against the need for a robust program.

+

Focus on Strategic Suppliers vs. Inclusivity: Buyers may need to decide whether to concentrate capacity-building efforts on strategic suppliers or adopt a more inclusive approach. Balancing strategic focus with inclusivity requires assessing the impact on the entire supply chain.

+

2. Supplier Perspective:

+

Risks

+

Resource Strain: Suppliers may face resource strain in adapting to capacity-building requirements, especially if the initiatives demand substantial investments.

+

Dependence on Buyer's Strategy: Suppliers investing in capacity building may become overly dependent on the buyer's strategy, risking vulnerability if the buyer's priorities shift.

+

Competitive Imbalances: Capacity-building initiatives may inadvertently create imbalances among suppliers, impacting competition within the supplier base.

+

Trade-offs

+

Operational Disruption vs. Long-Term Benefits: Suppliers may face operational disruption during capacity-building initiatives, but they must weigh this against the long-term benefits of enhanced capabilities. Striking a balance involves managing short-term challenges for long-term gains.

+

Resource Allocation vs. Day-to-Day Operations: Suppliers may need to allocate resources to capacity building, impacting day-to-day operations. Deciding on the appropriate level of resource allocation involves considering the trade-off between immediate operational needs and building long-term capabilities.

+

Specialized Training vs. General Skills Enhancement: Suppliers may choose between providing specialized training for specific requirements or offering more general skills enhancement. Balancing these options requires assessing the trade-off between meeting immediate needs and building a versatile skill set.

+

Strategic Alignment vs. Independence: Suppliers may need to align strategically with the buyer's goals during capacity building, but this may affect their independence. Deciding the extent of strategic alignment involves evaluating the trade-off between collaboration and maintaining autonomy.

",

Indirect

,

Direct

,"

One of the key learning from IDH Interview sessions

+

https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf

" +23,Supplier Segmentation,"

Definition

+

Segment suppliers according to their sustainability commitment maturity and capability to support sustainability goals, identifying those best positioned to deliver strategic outcomes.

","

To effectively implement Supplier Segmentation in a procurement organization, key enabling conditions and prerequisites include establishing a comprehensive category calibration, evaluating business requirements, and developing strategic category strategies. Additionally, integrating supplier lifecycle management, ensuring effective accreditation, streamlining qualification and onboarding processes, and employing a structured segmentation approach based on criteria like performance, risk, innovation potential, geography, product category, and spend size are essential. Utilizing questionnaires, conducting regular segmentation analyses, implementing robust performance and risk management, and fostering proactive supplier development and innovation initiatives contribute to a successful Supplier Segmentation framework aligned with organizational goals.

","

Analyse suppliers based on their public disclosures or those shared in confidence with respect to sustainability commitments, strategies, KPIs, policies and actions. If you have conducted a Supplier Sustainability Assessment, the outputs of this will directly feed into this.

+

Create a simple 2x2 matrix to plot suppliers along two axes:

+

o Capability (e.g. business size, evidence of sustainability knowledge)

+

o Commitment (e.g. sustainability commitments, policies in place, actions to prevent or mitigate risks)

+

Use this segmentation to generate insights beyond cost. This could include risk exposure or risk reduction that suppliers may bring, even in areas not traditionally assessed in supplier evaluations.

+

Prioritise commitment over capability. Highly capable suppliers may lack meaningful sustainability commitments. Understanding this balance is critical to evaluating whether a supplier’s cost competitiveness is outweighed by the sustainability risks they may pose.

","

1. Income Perspective

+

Fair Pricing: Supplier segmentation allows farmers to be categorized based on factors like product quality, yield, and reliability. This enables fair pricing mechanisms, ensuring that farmers with high-quality products receive competitive prices, contributing to increased income.

+

Market Access Opportunities: By segmenting farmers, businesses can identify high-performing ones and provide them with increased market access, leading to expanded opportunities for sales and improved income.

+

2. Environment Perspective

+

Sustainable Practices Recognition: Supplier segmentation can incorporate criteria related to sustainable farming practices. Farmers engaged in environmentally friendly and sustainable methods may be recognized and rewarded, encouraging broader adoption of eco-friendly practices.

+

Environmental Impact Mitigation: By categorizing suppliers based on environmental impact, businesses can work collaboratively with farmers to implement practices that reduce the overall environmental footprint, contributing to sustainable agriculture.

","

1. Buyer Perspective

+

Risks

+

Limited Supplier Diversity: Rigorous segmentation may limit supplier diversity, potentially reducing the pool of available suppliers and limiting competitive advantages.

+

Overreliance on Segmentation Criteria: Overreliance on specific criteria for segmentation may result in overlooking emerging suppliers or failing to adapt to dynamic market conditions.

+

Complexity in Management: Managing multiple segmented supplier groups may introduce complexity and require additional resources for effective oversight.

+

Trade-offs

+

Efficiency vs. Tailored Services: Buyers implementing supplier segmentation may face the trade-off between achieving procurement efficiency through standardized processes and offering tailored services to specific supplier segments. Striking the right balance involves optimizing efficiency while meeting the unique needs of diverse suppliers.

+

Cost Savings vs. Supplier Relationships: Buyers segmenting suppliers for cost savings may need to balance this with the goal of maintaining strong relationships with strategic suppliers. The challenge is to achieve savings without compromising valuable partnerships.

+

Risk Mitigation vs. Supplier Innovation: Buyers may segment suppliers for risk mitigation purposes, but this could impact the potential for supplier-driven innovation. The trade-off involves managing risks while fostering an environment that encourages supplier innovation.

+

Standardization vs. Supplier Diversity: Buyers aiming for standardization in procurement processes may need to balance this with the objective of promoting supplier diversity. The challenge is to standardize processes while supporting a diverse supplier base.

+

2. Supplier Perspective

+

Risks

+

Exclusion from Opportunities: Strict segmentation criteria may lead to the exclusion of certain suppliers, limiting their access to procurement opportunities and potentially hindering their growth.

+

Increased Competition within Segments: As buyers focus on specific criteria, suppliers within a segment may face increased competition, potentially affecting profit margins.

+

Uncertain Market Positioning: Suppliers may face uncertainty in understanding their market positioning within segmented categories, affecting their strategic planning.

+

Trade-offs

+

Fair Access vs. Specialized Opportunities: Suppliers may desire fair access to procurement opportunities but must balance this with the potential benefits of specialized opportunities within specific segments. The challenge involves ensuring equal opportunities while recognizing the value of specialization.

+

Stability vs. Competitive Bidding: Suppliers in segmented categories may seek stability in contracts, but this could conflict with the competitive nature of bidding processes. The trade-off involves pursuing stable relationships while adapting to competitive procurement dynamics.

+

Innovation vs. Compliance Requirements: Suppliers may desire to innovate in their offerings, but strict compliance requirements within segmented categories may limit this. Striking a balance involves fostering innovation within the framework of compliance obligations.

+

Collaboration vs. Independence: Suppliers in collaborative segments may value partnerships, but this could conflict with the desire for independence in certain business aspects. The challenge is to collaborate effectively while respecting the autonomy of suppliers.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

" +24,Supplier Sustainability Assessment,"

Definition

+

Assess suppliers' public commitments to sustainability across climate, human rights, biodiversity, and nature. Use this data to inform Supplier Segmentation.

","

Enabling conditions for supplier sustainability assessment in a procurement organization include:

+

Clear Sustainability Criteria: Establish well-defined and comprehensive sustainability criteria that cover environmental, social, and economic aspects, providing a clear framework for supplier assessments.

+

Clear Sustainability Criteria: Establish well-defined and comprehensive sustainability criteria that cover environmental, social, and economic aspects, providing a clear framework for supplier assessments.

+

Collaborative Standards: Engage with industry organizations, NGOs, or sustainability initiatives to leverage established standards and frameworks for supplier sustainability, ensuring alignment with recognized best practices.

+

Data Transparency: Encourage suppliers to provide transparent and accurate data on their sustainability practices, facilitating a more thorough and reliable assessment process.

+

Capacity Building Support: Offer training programs and resources to suppliers, enabling them to enhance their sustainability practices and meet the criteria set by the procurement organization.

+

Supply Chain Mapping: Implement supply chain mapping tools to gain visibility into the entire supply chain, allowing for a more comprehensive assessment of the environmental and social impacts associated with suppliers.

+

Risk Mitigation Strategies: Develop strategies to address identified sustainability risks within the supply chain, incorporating contingency plans and collaborative initiatives with suppliers to mitigate potential issues.

+

Continuous Monitoring: Implement ongoing monitoring mechanisms to track supplier sustainability performance over time, allowing for the identification of trends, areas for improvement, and recognition of exemplary practices.

+

Internal Accountability: Establish internal mechanisms and responsibilities within the procurement organization to ensure accountability for sustainability assessments, fostering a culture of commitment to responsible sourcing.

+

Supplier Feedback Loops: Create channels for open communication and feedback between procurement organizations and suppliers, encouraging a collaborative approach to sustainability improvement.

+

Technology Integration: Utilize advanced technologies, such as blockchain or digital platforms, to enhance transparency, traceability, and the efficiency of supplier sustainability assessments.

+

Diversity and Inclusion: Integrate diversity and inclusion criteria into supplier assessments, considering social aspects such as fair labor practices, gender equality, and community engagement.

+

Benchmarking and Recognition: Implement benchmarking mechanisms to compare supplier sustainability performance within the industry and recognize and reward top-performing suppliers.

+

Performance Incentives: Establish incentive structures that motivate suppliers to go beyond compliance and excel in sustainability, offering recognition, preferential treatment, or collaborative opportunities for high-performing suppliers.

+

Third-Party Verification: Consider engaging third-party organizations or auditors to verify and validate supplier sustainability claims, enhancing the credibility and reliability of the assessment process.

+

These additional conditions contribute to a more nuanced and comprehensive approach to supplier sustainability assessment within procurement organizations.

+

Collaborative Standards: Engage with industry organizations, NGOs, or sustainability initiatives to lever

","

Understanding whether suppliers are internalising sustainability risks is critical to identifying the risks they may expose a buyer’s business to.

+

As part of external analysis, review publicly available supplier information, or information shared in confidence by the supplier, (e.g. sustainability commitments, strategies, policies, codes of conduct) and create a simple table capturing evidence of the following:

+

• Material sustainability risk assessment linked to sourcing practices

+

• Environmental impact policies and prevention measures (e.g. climate, deforestation, water, nature)

+

• Human rights due diligence in the upstream supply chain, including:

+

o Conducting a human rights impact assessment

+

o Awareness and actions to prevent forced labour

+

o Awareness and actions to prevent child labour

+

o Living wage/income considerations

+

o Consideration of Free Prior Informed Consent regarding Indigenous Communities and land rights

","

1. Environmental Perspective:

+

Promotion of Sustainable Farming Practices: Supplier sustainability assessments encourage farmers to adopt sustainable practices to meet the criteria set by agri-food companies. This leads to environmental benefits such as reduced pesticide use, soil conservation, and biodiversity preservation.

+

Climate Resilience: Aligning with sustainable farming practices contributes to climate resilience, reducing environmental risks associated with extreme weather events and fostering long-term sustainability.

+

2. Income Perspective:

+

Access to Premium Markets: Farmers adhering to sustainability criteria in supplier assessments gain access to markets that prioritize sustainable sourcing. This can result in premium pricing for their products, contributing to increased income and improved profitability.

+

Cost Savings: Sustainable farming practices promoted by supplier sustainability assessments often lead to cost savings over time. This includes efficient resource use, reduced input costs, and increased overall efficiency.

+

3. Risk Perspective:

+

Market Viability: Supplier sustainability assessments ensure that farmers align with market expectations for environmentally and socially responsible practices. This enhances the market viability of their products, reducing the risk of market exclusion or loss of business opportunities.

+

Long-Term Viability: By meeting sustainability criteria, farmers contribute to their own long-term viability. This includes securing market access, adapting to changing consumer preferences, and reducing vulnerability to environmental risks.

+

4. Link to Procurement Organizations:

+

For farmers, the link to procurement organizations lies in their ability to meet the sustainability criteria set by agri-food companies. Procurement organizations play a central role in establishing and communicating these criteria, shaping the practices and behaviors of the farmers within the supply chain. This ensures that the entire supply chain, from farmers to end consumers, adheres to sustainability principles.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruption: To mitigate disruption risks, buyers should strategically diversify their supplier base, balancing sustainability criteria with the need for a resilient and varied supply chain.

+

Increased Costs: Buyers can negotiate with suppliers, emphasizing cost-effectiveness while encouraging sustainable practices to manage procurement expenses effectively.

+

Limited Supplier Innovation: Buyers should actively engage with smaller suppliers, fostering innovation by providing support and guidance to help them meet sustainability criteria.

+

Trade-offs

+

Cost vs. Sustainability: Buyers must strategically navigate the trade-off, making informed compromises to achieve both financial and environmental goals without compromising overall sustainability objectives.

+

Supplier Diversity vs. Sustainability: Achieving a balance between sustainability and supplier diversity requires careful consideration, especially in regions or industries where meeting sustainability standards may be challenging.

+

Time-to-Market vs. Sustainability: Buyers need to find a balance between selecting sustainable suppliers and meeting time-to-market goals, ensuring that sustainability efforts do not unduly extend procurement timelines.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers can manage financial strain by seeking collaborative partnerships with buyers, exploring cost-sharing models for sustainable investments to alleviate potential economic burdens.

+

Competitive Disadvantage: Suppliers with lower sustainability scores should focus on improving practices to avoid losing business opportunities, highlighting the value of sustainable offerings to remain competitive.

+

Compliance Challenges: Suppliers facing compliance challenges should engage with buyers to streamline diverse sustainability standards, ensuring a more manageable and efficient adherence process.

+

Trade-offs

+

Cost vs. Sustainability: Suppliers must strategically balance the trade-off, seeking innovative and cost-effective solutions to implement sustainable practices without compromising competitiveness.

+

Innovation vs. Compliance: Suppliers can navigate the trade-off by integrating sustainability into their innovation agenda, demonstrating that both innovation and compliance can coexist harmoniously.

+

Market Access vs. Sustainability: Suppliers targeting international markets must weigh the benefits of market access against the costs of adapting to sustainability requirements, aligning their strategies with evolving global standards.

",

Indirect

,

Indirect

,"1. https://www.thecasecentre.org/products/view?id=158170
+2. https://www.thecasecentre.org/products/view?id=106959
+3. https://www.thecasecentre.org/products/view?id=145470
+4. https://www.thecasecentre.org/products/view?id=170954
+5. https://www.thecasecentre.org/products/view?id=120895
+6. https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf
" +25,Value Chain Visibility,"

Definition

+

Establish full traceability back to the origin of materials. This is critical to identifying environmental and human rights risks at the source, particularly at the farm level. Without this visibility, sustainability risks and strategic procurement decisions cannot be fully informed.

","

To implement effective Supply Chain Traceability in a procurement data analytics context, a procurement organization should focus on prerequisites such as establishing a robust data analytics infrastructure, formulating a clear integration strategy (e.g., Blockchain as an example), ensuring data standardization and interoperability, fostering collaboration with suppliers, utilizing transparent and immutable data records, encouraging cross-functional collaboration, investing in relevant education, implementing security and privacy measures, planning for scalability, complying with legal and regulatory requirements, and establishing continuous monitoring and improvement practices.

","

Establishing visibility of the full value chain is foundational to being able to identify risks and opportunities upon which to make strategic procurement decisions.

+

Building this visibility does not have to mean investing immediately in traceability software tools, it can start with the existing relationships you have with your direct suppliers. Questions that it may be helpful to start exploring with your direct suppliers are:

+

• How may tiers are in their supply chain? Do they know the countries these tiers are based in?

+

• Do they know where farm-level production is happening and the characteristics of this farming e.g. small holder, plantation, commercial farming?

+

• Does the supplier know whether and how their value chain is likely to evolve in the next five years? This can help surface whether the supply chain is stable or unstable.

+

Why are these questions relevant?

+

• The country of production and farm characteristics will impact the probability and severity of environmental and social risks

+

• Understanding whether and how a supply chain is expected to evolve in the next five years helps to surface whether there is instability in either the supply chain or the supplier’s approach to it.

+

• If a supplier has blind spots about their supply chain, this flags the possibility of material sustainability risks within their supply chain. The supplier may lack the capability or inclination to understand their own supply chain and take action to identify and mitigate risks within it. If the supplier lacks this ability, it will be harder for actors further down the value chain, e.g. manufacturers and retailers, to understand and mitigate their own risks.

+

Establishing and maintaining value chain visibility can help enable early identification or risks and proactive management of them.

","

Income Perspective

+

Market Access and Premium Pricing: Value chain visibility allows farmers to demonstrate the origin, quality, and sustainability of their produce, strengthening competitiveness. This can open access to new markets and premium pricing, increasing income.

+

Efficient Resource Allocation: Farmers can use visibility data to optimize production processes, reduce inefficiencies, and cut waste, improving profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Greater visibility across the value chain encourages farmers to adopt practices that align with buyer sustainability goals, such as reduced chemical use, efficient water management, and biodiversity protection.

+

Reduced Environmental Footprint: By leveraging data to minimize waste and use resources efficiently, farmers lower their environmental footprint and contribute to more responsible production systems.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing traceability measures, especially with advanced technologies, may lead to increased procurement costs, impacting the overall budget.

+

Data Security Concerns: Storing sensitive traceability data poses potential security risks, including data breaches or unauthorized access.

+

Supplier Resistance: Suppliers may resist sharing detailed information, fearing increased scrutiny or potential competitive disadvantages.

+

Trade-offs

+

Cost Efficiency vs. Enhanced Traceability: Buyers may face the trade-off between achieving cost efficiency in the supply chain and investing in enhanced traceability measures. Striking the right balance involves optimizing costs while ensuring transparency and traceability.

+

Complexity vs. Simplicity in Supply Chains: Buyers aiming for traceability may need to balance the complexity associated with detailed supply chain tracking and the simplicity required for streamlined operations. The challenge is to implement traceability without overly complicating processes.

+

Supplier Collaboration vs. Independence: Buyers may seek collaboration with suppliers for improved traceability, but this could conflict with the desire for supplier independence. The trade-off involves fostering collaboration while respecting supplier autonomy.

+

Risk Mitigation vs. Agility: Buyers may implement traceability for risk mitigation, but this could impact the agility of the supply chain. Striking the right balance involves managing risks while maintaining a flexible and responsive supply chain.

+

2. Supplier Perspective

+

Risks

+

Increased Reporting Burden: Suppliers may face additional reporting requirements, leading to increased administrative burdens and potential operational disruptions.

+

Technology Adoption Challenges: Suppliers may encounter challenges in adopting the required technologies for traceability, affecting their ability to comply.

+

Competitive Disadvantage: Suppliers may perceive that sharing detailed traceability data could lead to a competitive disadvantage in the marketplace.

+

Trade-offs

+

Investment in Technology vs. Cost Management: Suppliers may face the trade-off between investing in technology for traceability and managing overall costs. The challenge is to adopt traceability measures without significantly impacting the financial aspects of operations.

+

Transparency vs. Confidentiality: Suppliers providing traceability data may need to balance transparency with the need to protect confidential business information. The trade-off involves sharing relevant information while safeguarding proprietary details.

+

Regulatory Compliance vs. Market Competitiveness: Suppliers may need to comply with traceability regulations, but this could impact market competitiveness. Striking the right balance involves meeting regulatory requirements while remaining competitive in the marketplace.

+

Resource Allocation vs. Traceability Standards: Suppliers may allocate resources for meeting traceability standards, and this must be balanced against other operational needs. The trade-off involves optimizing resource allocation for both traceability compliance and overall efficiency.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

" +26,Selecting a sustainability certification,"

Definition

+

Choose sustainability certifications that help meet corporate commitments and/or implement procurement goals. For some commodities, certified supplies are readily available.

","

To effectively implement Sustainable Agricultural Certification Premiums in procurement, prerequisites include establishing clear criteria, collaborating with certification bodies, educating suppliers, designing a transparent premium structure, implementing monitoring systems, ensuring financial capacity, complying with legal standards, promoting certification benefits, fostering stakeholder collaboration, and establishing a continuous improvement feedback loop. This systematic approach creates a conducive environment for successful premium programs, encouraging sustainable farming practices and supplier participation.

","

When is this a strategic choice?

+

When the value chain risk assessment has surfaced potential risks in the supply chain of certain commodities, and an existing sustainability certification exists than provides sufficient assurance that this risk is mitigated in the supply chain of certified goods.

+

What it means:

+

Sustainability certifications can provide assurance that certain impacts are being mitigated in the supply chain of a certain commodity. In some instances, sourcing certified goods can be a quicker and less costly alternative to mitigating environmental and social risks in the supply chain from scratch. Additionally, some downstream actors like brand manufacturers or retailers may require certain certifications to purchase from you, creating a commercial need to purchase certified goods.

+

Some commodities have existing certifications that provide assurance for known high-risk impacts. For example, the RSPO certification for palm oil focuses or the Rainforest Alliance certification for Cocoa provide assurance that deforestation is being mitigated in the supply chain. However, it is important to note that these certifications may not cover all risks in a supply chain. For the Cocoa supply chain, for example, more expensive and direct actions may be needed to ensure actions to mitigate against child labour risks.

+

It is important to assess whether the sustainability certification is fit to deliver the desired outcomes. This assessment may include:

+

o Checking the commodities in scope and availability in your current, potential, or future sourcing market of the certification scheme.

+

o Benchmarking and understanding sustainability certification schemes in terms of sustainability impacts addressed. The ITC standards map benchmarks the majority of sustainability standards.

+

o Governance of the standard is a key factor to understand; ISEAL members all have credible governance in place.

+

o Understanding the different chains of custody models; segregated or mass balance.

+

Watch out: As a business to ensure the continued impact of a certification scheme is aligned to delivering the impact identified in your strategic choice, this will require partnering closely with the certification scheme owner.

","

Income Perspective

+

Choosing the right certification can secure access to markets that reward sustainable production with better prices and stronger demand. Certification can also provide more stable buyer relationships and opportunities for higher sales and profits.

+

Environmental Perspective

+

Sustainability certifications guide farmers toward practices that improve soil, water, and biodiversity outcomes. Financial incentives and market rewards help offset the costs of adoption, making it more feasible to implement practices that deliver long term environmental benefits.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing sustainable agricultural certification premiums may lead to higher procurement costs, impacting the buyer's budget.

+

Limited Supplier Pool: Stringent sustainability criteria may reduce the pool of eligible suppliers, potentially limiting sourcing options.

+

Complex Certification Processes: Suppliers may face challenges navigating complex certification processes, leading to delays or non-compliance.

+

Trade-offs

+

Sustainability vs. Cost Efficiency: Buyers may face the trade-off between supporting sustainable agricultural practices and maintaining cost efficiency in procurement. Striking the right balance involves integrating sustainability without compromising overall cost-effectiveness.

+

Premium Costs vs. Competitive Pricing: Buyers offering sustainable agricultural certification premiums may need to balance the costs associated with premiums against the need for competitive pricing. The trade-off involves supporting sustainability while remaining competitive in the market.

+

Supplier Diversity vs. Certification Requirements: Buyers aiming for supplier diversity may encounter the trade-off between fostering a diverse supplier base and ensuring compliance with specific certification requirements. The challenge is to balance diversity goals with certification standards.

+

Short-Term Costs vs. Long-Term Sustainability: Buyers must decide between incurring short-term premium costs for sustainable agricultural practices and realizing long-term sustainability benefits. Striking the right balance involves aligning short-term investment with broader sustainability objectives.

+

2. Supplier Perspective

+

Risks

+

Financial Strain: Adhering to sustainable agricultural practices for premium eligibility may strain suppliers financially, especially for smaller entities.

+

Competitive Disadvantage: Suppliers not meeting premium criteria may face a competitive disadvantage in bidding for contracts.

+

Risk of Unfair Evaluation: Suppliers may feel unfairly evaluated if certification processes are unclear or subject to frequent changes.

+

Trade-offs

+

Compliance Costs vs. Profitability: Suppliers may face the trade-off between incurring additional costs to meet sustainable certification requirements and maintaining overall profitability. The challenge is to manage compliance costs while ensuring a viable and profitable business model.

+

Market Access vs. Certification Investments: Suppliers must decide between investing in sustainable certifications for access to markets with stringent requirements and balancing these investments with other business needs. Striking the right balance involves meeting market demands while ensuring financial viability.

+

Resource Allocation vs. Certification Standards: Suppliers may need to allocate resources effectively to meet certification standards, but this must be balanced against the potential impacts on overall resource allocation. The trade-off involves optimizing resources for both certification compliance and operational efficiency.

+

Risk Mitigation vs. Market Competitiveness: Suppliers may prioritize risk mitigation through sustainable certifications but must balance this with remaining competitive in the market. The challenge involves managing risks while staying competitive in the procurement landscape.

",

Direct

,

Direct

,

With and beyond sustainability certification: Exploring inclusive business and solidarity economy strategies in Peru and Switzerland - ScienceDirect

+27,Sustainable water management,"

Definition

+

Sustainable water management is the approach and actions taken to ensure that water is withdrawn, consumed and discharged in a sustainable way. It is particularly important in locations of water scarcity to ensure the supply chain, environment and dependent communities are not negatively impacted by water-related issues.

+

Make sustainable water management a strategic priority where water scarcity is identified through internal commitments or traceability to origins with limited water resources, impacting supply security.

","

1. Enabling Conditions for Sustainable Water Management in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers practicing sustainable water management, emphasizing water efficiency and conservation.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of sustainable water management practices and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to sustainable water management, fostering partnerships, and incentivizing the adoption of water-efficient practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify sustainable water management practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing sustainable water management to promote stability and incentivize continued commitment to responsible water use.

+

2. Enabling Conditions for Sustainable Water Management on a Farm Level:

+

Water-Use Planning: Development of comprehensive water-use plans on farms, incorporating efficient irrigation methods, rainwater harvesting, and other sustainable water management practices.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective water management practices, optimizing water use efficiency and minimizing waste.

+

Financial Incentives: Provision of financial incentives or favorable payment terms for farmers adopting sustainable water management practices, supporting their financial viability during the transition.

+

Water Conservation Technologies: Adoption of water-saving technologies, such as drip irrigation or soil moisture sensors, to enhance water efficiency on farms.

+

Community Engagement: Engagement with local communities and agricultural extension services to raise awareness of sustainable water management benefits, build support, and encourage widespread adoption.

+

For both procurement organizations and farmers, successful implementation of sustainable water management requires a commitment to efficient practices, collaborative relationships, ongoing education, and the integration of water conservation principles into the core of farming and procurement strategies.

","

When is this a strategic choice?

+

When you, as the buyer, have a clear understanding of current and future sourcing origins and recognise that without sustainable water management, there is a high risk of supply disruption. Water management may feature in internal commitments and/or the value chain risk assessment may have identified locations in the supply chain with limited water resources, negatively impacting supply security.

+

What it means:

+

• As a buyer you are confident you and/or your supplier is capable of engaging farmers and stakeholders at the catchment level to collectively monitor, manage, and invest in water resources to meet shared sustainability goals.

+

• As a buyer you are confident your supplier works with farm-level partners who can implement water management and stewardship actions, supported by appropriate technology and infrastructure for ongoing maintenance. For example, precision irrigation technologies that apply the right amount of water at the right time.

+

• As a buyer you are prepared to provide additional support where required, including investment capital.

+

• This approach relies on suppliers maintaining long-term, trust-based relationships with producers at the farm level.

","

1. Environmental Perspective:

+

Water Conservation: Sustainable water management practices, such as precision irrigation and rainwater harvesting, contribute to water conservation, ensuring the long-term availability of water resources.

+

Ecosystem Health: Responsible water usage supports the health of aquatic ecosystems and biodiversity, contributing to overall environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: Water-efficient practices lead to cost savings for farmers by reducing expenses related to water use, such as energy costs for irrigation and investments in water infrastructure.

+

Market Access: Adopting sustainable water management practices may provide farmers with access to markets that prioritize sustainably produced goods, potentially leading to premium prices and increased income.

+

3. Risk Perspective:

+

Climate Resilience: Sustainable water practices enhance the resilience of farming operations to climate-related risks such as droughts or erratic rainfall patterns.

+

Regulatory Compliance: Adhering to sustainable water practices helps farmers comply with evolving water usage regulations, reducing the risk of legal and regulatory challenges.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to markets and resources. By supporting and incentivizing the adoption of sustainable water management practices, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Buyers must address potential disruptions in the supply chain caused by changes in agricultural production due to sustainable water management, implementing strategies to ensure consistent product availability.

+

Higher Costs: Buyers need to manage potential increases in product prices resulting from the additional costs for suppliers practicing sustainable water management, seeking cost-effective procurement strategies.

+

Certification Challenges: Buyers should anticipate and address challenges related to ensuring adherence to sustainable water management certification standards, implementing robust monitoring and verification processes.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance potential cost implications of sustainable water management with the desire to support environmentally responsible sourcing practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Resource Conservation: Striking a balance between ensuring a consistent supply from traditional sources and the conservation of water resources through sustainable practices requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and resource conservation.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers implementing sustainable water management practices must address potential financial strain associated with higher initial costs, implementing financial planning strategies.

+

Transition Period Challenges: Suppliers need to manage challenges during the initial phases of adopting new water management practices, ensuring minimal impact on product yields and consistency.

+

Market Access Concerns: Suppliers may face challenges accessing markets that prioritize traditional, non-sustainable products, requiring strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of implementing sustainable water management against potential market access and premium prices associated with sustainable practices, making decisions that align with long-term market strategies.

+

Innovation vs. Tradition: Allocating resources to adopt sustainable water management practices may divert attention and resources from traditional farming methods, requiring suppliers to find a balance that aligns with their innovation goals and traditional practices.

+

Crop Yield vs. Water Conservation: Balancing the desire for higher crop yields with the commitment to water conservation and sustainability may necessitate trade-offs, requiring suppliers to prioritize sustainability without compromising productivity goals.

",

Direct

,

Direct

,"1. https://www.worldwildlife.org/industries/sustainable-agriculture
+2. https://www.worldbank.org/en/topic/water-in-agriculture
+3. https://www.fao.org/3/i7959e/i7959e.pdf
+4. https://www.sciencedirect.com/science/article/abs/pii/S0959652619322346
+5. https://agupubs.onlinelibrary.wiley.com/doi/full/10.1002/2014WR016869
+6. https://www.nestle.com/sustainability/water/sustainable-water-efficiency-agriculture
" diff --git a/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_intervention_tag.csv b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_intervention_tag.csv new file mode 100644 index 00000000..064ee711 --- /dev/null +++ b/backend/source/transformer/procurement_library_v2_oct2025/output/pl_practice_intervention_tag.csv @@ -0,0 +1,97 @@ +practice_intervention_id,attribute_id +1,4 +1,8 +1,9 +2,1 +2,6 +2,8 +2,12 +2,14 +2,11 +2,13 +3,4 +3,6 +4,3 +4,6 +4,9 +5,2 +5,6 +5,7 +5,9 +5,10 +5,12 +5,14 +5,11 +5,13 +6,4 +6,9 +7,4 +7,6 +7,8 +8,4 +8,6 +8,9 +9,3 +9,7 +9,9 +10,4 +10,6 +11,4 +11,6 +11,7 +11,9 +12,4 +12,6 +13,4 +13,6 +13,9 +14,3 +14,5 +14,9 +15,3 +16,3 +16,6 +17,3 +17,8 +17,9 +18,3 +18,5 +18,6 +18,7 +18,8 +18,9 +19,3 +19,6 +19,9 +20,3 +20,6 +20,9 +21,4 +21,6 +21,9 +22,3 +22,7 +22,8 +22,9 +22,10 +23,2 +23,6 +24,2 +24,6 +24,7 +24,9 +25,1 +25,6 +25,7 +25,8 +25,10 +25,12 +25,14 +25,11 +25,13 +26,3 +26,6 +27,3 +27,6 +27,8 +27,9 diff --git a/backend/source/transformer/procurement_library_v2_oct2025/output/practices_with_validated_sources.csv b/backend/source/transformer/procurement_library_v2_oct2025/output/practices_with_validated_sources.csv new file mode 100644 index 00000000..87b8bb84 --- /dev/null +++ b/backend/source/transformer/procurement_library_v2_oct2025/output/practices_with_validated_sources.csv @@ -0,0 +1,1191 @@ +id,label,intervention_definition,enabling_conditions,business_rationale,farmer_rationale,risks_n_trade_offs,intervention_impact_income,intervention_impact_env,source_or_evidence,source_urls,source_urls_status,valid_source_urls +1,Agroecological Practices,"

Definition

+

Implement agroforestry, cover cropping, polyculture, hedgerows, livestock integration, energy efficiency, and renewable energy as part of regenerative agriculture and decarbonization strategies to increase resilience and farmer income.

","

1. Enabling Conditions for Agroforestry in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that promote the inclusion of agroforestry products and support suppliers engaging in agroforestry practices.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of agroforestry benefits and promote the inclusion of agroforestry in sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to agroforestry, fostering partnerships and encouraging the adoption of agroforestry practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify agroforestry practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing agroforestry to promote stability and incentivize continued commitment to sustainable practices.

+

2. Enabling Conditions for Agroforestry on a Farm Level:

+

Land-Use Planning: Development of comprehensive land-use plans that integrate agroforestry components, considering the placement of trees and shrubs within the overall farming system.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing agroforestry practices, optimizing tree-crop interactions, and addressing challenges.

+

Financial Incentives: Provision of financial incentives or favorable payment terms for farmers adopting agroforestry, supporting their financial viability during the transition.

+

Access to Tree Species: Availability of diverse and appropriate tree species for agroforestry, enabling farmers to select trees that complement their specific crops and enhance overall farm productivity.

+

Community Engagement: Engagement with local communities and agricultural extension services to raise awareness of agroforestry benefits, build support, and encourage the adoption of these practices.

+

For both procurement organizations and farms, successful implementation of agroforestry requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of agroforestry principles into the core of farming and procurement strategies.

","

Agroecological Practices are most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Decarbonisation Levers, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of agroecological practices can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers and pesticides

+

• Help enhance yields over the long term through improving the soil and local ecosystem health

+

• Improve carbon sequestration on farms. If appropriately set up, monitored, measured and accounted, this could contribute to business carbon reduction commitments. If certified, it could also create a secondary income stream through farmers selling carbon credits.

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, direct with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

+

Additionally, if there is an income gap during the transition to new practices, the procurement strategy should identify partners or financial mechanisms, such as blended finance, that can bridge this gap, and ensure these are reflected in the Cost of Goods cost model.

","

Environmental Perspective:

+

Soil Health: A mix of trees, cover crops, hedgerows, diverse crops, and livestock manure builds soil organic matter, reduces erosion, improves water infiltration, and strengthens microbial activity.

+

Biodiversity and Ecosystem Services: Integrating woody perennials, field borders, mixed species plantings, and livestock increases habitat for pollinators and natural enemies, strengthens nutrient cycling, and supports carbon storage.

+

Microclimate and Water: Tree rows and borders provide shade and shelter, lower evapotranspiration, and improve water retention and quality across fields.

+

Income Perspective:

+

Diversified Income Streams: Multiple crops, tree products, and livestock add revenue channels across seasons, reducing reliance on a single commodity.

+

Lower Input Costs: Biological nitrogen fixation, manure, weed suppression, and natural pest control cut spend on synthetic fertilizers and pesticides over time.

+

Yield and Quality Gains: Better pollination and soil function can lift yields and product quality, improving market returns and access to sustainability premia where available.

+

Risk Perspective:

+

Operational Stability: Diversity spreads agronomic and market risk and provides feed and forage buffers when a single crop underperforms.

+

Pest and Disease Pressure: Habitat for beneficial insects and crop diversity disrupt pest life cycles and reduce outbreak severity.

+

Climate Resilience: Improved soils and on farm shelter reduce losses from heat, wind, and intense rainfall, supporting production in variable seasons.

+

Link to Procurement Organizations:

+

Agroecological approaches need time to implement. Procurement partners must be committed through a long-term sourcing strategy commitment to farmers. This can enable adoption through multi year purchase commitments, technical support, and co investment in establishment costs such as seedlings, cover crop seed, fencing, and water points. Clear sourcing standards and premia for verified outcomes align farm level incentives with company goals on climate and nature, strengthening supply security and performance.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Complexity: Buyers must address potential challenges in logistics, quality control, and traceability introduced by agroforestry integration, implementing strategies to streamline the supply chain.

+

Variable Crop Yields: Buyers need to manage uncertainties in meeting consistent procurement demands resulting from variable crop yields in agroforestry systems, implementing strategies for demand forecasting and inventory management.

+

Certification Challenges: Buyers should establish robust monitoring and verification processes to address challenges in ensuring adherence to agroforestry certification standards, maintaining credibility in sustainable sourcing.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance potential cost implications of agroforestry with the desire to support sustainable and environmentally friendly sourcing practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Diversity: Striking a balance between ensuring a consistent supply from traditional sources and offering the diversity of products from agroforestry systems requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and variety.

+

2. Supplier Perspective:

+

Risks

+

Initial Investment: Suppliers adopting agroforestry practices must address the financial challenges associated with initial investments in tree planting and farm restructuring, implementing financial planning strategies.

+

Longer Time to Production: Suppliers need to manage the delay in income associated with the longer time to production in agroforestry systems, making strategic decisions to balance short-term financial needs with long-term benefits.

+

Market Access Challenges: Suppliers engaging in agroforestry may face challenges in accessing markets that prioritize traditional, monoculture products, necessitating strategic decisions to overcome barriers and establish market presence.

+

Trade-offs

+

Income Delay vs. Long-Term Benefits: Suppliers must balance the delay in income associated with agroforestry against the long-term benefits, including diversified revenue streams and enhanced sustainability, making decisions that align with their financial goals and long-term vision.

+

Traditional vs. Agroforestry Practices: Suppliers may face trade-offs between traditional farming practices and the adoption of agroforestry, weighing the potential benefits against the challenges, requiring a thoughtful and strategic approach to implementation.

+

Market Access vs. Agroforestry Adoption: Deciding on the extent to which suppliers want to engage with markets that value agroforestry products and balancing it with traditional market access involves trade-offs, requiring a careful evaluation of market dynamics and supplier priorities.

",

Direct

,

Direct

,"1. https://environmentalevidencejournal.biomedcentral.com/articles/10.1186/s13750-018-0136-0
+2. https://ecotree.green/en/blog/what-is-agroforestry-and-why-is-it-good-for-the-environment
+3. https://oxfordre.com/environmentalscience/display/10.1093/acrefore/9780199389414.001.0001/acrefore-9780199389414-e-195
+4. https://onlinelibrary.wiley.com/doi/full/10.1002/cl2.1066
+5. https://www.woodlandtrust.org.uk/media/51622/farming-for-the-future-how-agroforestry-can-deliver-for-nature-climate.pdf
+6. https://www.mdpi.com/1999-4907/13/4/556
","['https://environmentalevidencejournal.biomedcentral.com', 'https://environmentalevidencejournal.biomedcentral.com/articles/10.1186/s13750-018-0136-0Definition +

Evaluate corporate or brand sustainability commitments or targets. Do this to identify whether any of these may be related to and impacted by procurement decisions, and therefore whether they should be considered in strategy development.

","

To implement effective Business Procurement Requirements Planning, a procurement organization should align its strategies with overall business objectives, foster collaborative stakeholder engagement, establish comprehensive data management systems, invest in technological infrastructure, ensure skilled procurement personnel, provide continuous training, maintain clear documentation and standardization, integrate supplier relations, implement effective risk management, foster flexibility and adaptability, and establish performance metrics for continuous improvement.

","

Corporate or brand sustainability commitments may relate to topics such as climate, human rights, deforestation, water, nature, or circularity. The activities and impacts in the supply chain may directly impact these commitments. Therefore, checking whether they exist and which ones may be relevant is important to ensure alignment with the broader business strategy.

+

It may be helpful to consider the following questions:

+

• How critical is the spend category in delivering business objectives and commitments now and in the next 5 years?

+

• Is the spend category a critical driver for business growth?

+

• If the spend category is not critical for driving the business strategy, it is unlikely ‘sustainability risks’ even if identified, will be significantly important for the business to prioritise for direct mitigation.

+

• How might activities in the supply chain of this spend category link to the sustainability commitments or targets. For example, does the spend category carry risk of deforestation and does this impact business commitments relating to deforestation?

","

Income Perspective

+

Market Access and Fair Pricing: Incorporating business strategy needs ensures that farmers understand demand signals and quality requirements. This creates better market access, fairer prices, and improved income stability.

+

Efficient Resource Utilization: With clearer alignment to buyer strategies, farmers can plan production more effectively, optimize resources, and reduce waste, which strengthens profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Strategic alignment encourages farmers to adopt practices that meet environmental expectations, such as efficient water use, reduced chemical inputs, and enhanced biodiversity.

+

Reduced Environmental Impact: Producing in line with actual demand lowers the risks of surplus, cutting food waste and the environmental footprint of unnecessary resource use.

","

1. Buyer Perspective:

+

Risks

+

Misalignment with Business Objectives: Inadequate alignment of procurement requirements planning with overall business objectives may lead to inefficiencies and missed opportunities.

+

Increased Lead Times: Overly complex planning processes might result in increased lead times, affecting the organization's ability to respond quickly to market changes.

+

Supplier Relationship Strain: Excessive demands in procurement requirements planning may strain relationships with suppliers, potentially impacting collaboration and service levels.

+

Trade-offs

+

Cost Efficiency vs. Quality Requirements: Buyers may face the trade-off between achieving cost efficiency in procurement requirements planning and ensuring stringent quality standards. Striking the right balance involves optimizing costs without compromising the quality of goods or services.

+

Flexibility vs. Standardization: Buyers may desire flexibility in procurement requirements to adapt to changing market conditions, but this must be balanced against the benefits of standardization for efficiency. The challenge involves maintaining adaptability while establishing standardized processes.

+

Lead Time vs. Urgency: Buyers setting procurement requirements may need to balance lead times for planning with the urgency of meeting immediate needs. The trade-off involves planning ahead while addressing time-sensitive procurement requirements.

+

Innovation vs. Compliance: Buyers may seek innovative solutions in procurement but must balance this with compliance to regulatory and organizational requirements. The challenge is to foster innovation while ensuring adherence to necessary standards.

+

2. Supplier Perspective

+

Risks

+

Unclear Requirements: Ambiguous or changing requirements may lead to misunderstandings, causing suppliers to deliver products or services that do not meet buyer expectations.

+

Increased Costs: If procurement requirements planning is too stringent, suppliers may face higher production or service delivery costs, potentially impacting pricing agreements.

+

Limited Innovation Opportunities: Rigorous planning may limit opportunities for suppliers to showcase innovative solutions, hindering mutual growth.

+

Trade-offs

+

Consistency vs. Varied Offerings: Suppliers may face the trade-off between consistency in meeting buyer requirements and offering varied products or services. Striking the right balance involves fulfilling standard requirements while showcasing diverse offerings.

+

Long-Term Contracts vs. Market Volatility: Suppliers may desire long-term contracts for stability, but this could conflict with the volatility of market conditions. The challenge is to secure stable contracts while adapting to market dynamics.

+

Compliance vs. Innovation Investments: Suppliers may need to allocate resources for compliance with buyer requirements, and this must be balanced against investments in innovation. The trade-off involves managing compliance costs while fostering a culture of innovation.

+

Customization vs. Standardization: Suppliers may desire customization in meeting buyer requirements, but this must be balanced against the benefits of standardization for efficient production. The challenge involves tailoring solutions while maintaining operational efficiency.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

",[],[], +3,Buyer Sustainability Targets,"

Definition

+

Set buyer sustainability targets, supported by performance KPIs, to track and ensure delivery of sustainable procurement outcomes as part of sourcing strategy implementation.

","

To effectively implement Buyer Sustainability Targets in procurement:

+

1. Secure leadership commitment to prioritize sustainability.

+

2. Engage stakeholders, including suppliers, in target development.

+

3. Conduct a baseline assessment to identify areas for improvement.

+

4. Define clear, measurable, and time-bound sustainability targets aligned with organizational goals.

+

5. Foster collaboration with suppliers, evaluating their sustainability practices.

+

6. Provide employee training to enhance awareness of sustainable procurement practices.

+

7. Integrate sustainability considerations into all stages of the procurement process.

+

8. Establish systems for regular monitoring and reporting of sustainability performance.

+

9. Ensure legal and regulatory compliance with relevant sustainability standards.

+

10. Invest in technology and data systems to streamline tracking and reporting processes.

","

Once the strategic choices have been identified, take the time to identify KPIs that will enable tracking of implementation and progress against these choices by buyers. Aim to create as few KPIs as possible to give you the understanding you need while being realistic about data collection capabilities.

+

Include these KPIs on internal business scorecards and dashboards, and consider linking them to buyer remuneration. If the strategic choices have been selected thoughtfully, implementation of them will help drive value for the business and mitigate risks. As such, progress against these should be tracked and owners held responsible in the same way as they would for other business critical actions.

","

1. Income Perspective

+

Incorporating sustainability targets in procurement can guarantee farmers fair trade prices for their products, improving their income. Long-term contracts can offer better income security. Better market access and elevated certification value can also increase sales opportunities for farmers, thereby increasing their income.

+

2. Environment Perspective

+

Buyer sustainability targets often promote sustainable farming techniques, encouraging farmers to adopt practices that have less impact on the environment. By doing so, it not only contributes to environmental preservation but also improves the long-term sustainability of farms by preserving the health of the soil, preserving water resources, and reducing the impact on wildlife ecosystems.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing sustainability targets may initially incur additional costs for eco-friendly products or suppliers with sustainable practices.

+

Limited Supplier Pool: Stricter sustainability criteria may reduce the pool of eligible suppliers, potentially limiting competitive options.

+

Complexity in Compliance: Ensuring compliance with sustainability targets can be challenging, particularly when dealing with global supply chains and diverse regulations.

+

Trade-offs

+

Sustainability vs. Cost Efficiency: Buyers may face the trade-off between achieving sustainability targets and maintaining cost efficiency in procurement. Striking the right balance involves integrating sustainable practices without compromising overall cost-effectiveness.

+

Supplier Diversity vs. Cost Competitiveness: Buyers aiming for supplier diversity may encounter the trade-off between fostering a diverse supplier base and ensuring cost competitiveness. The challenge is to balance diversity goals with the economic efficiency of the supply chain.

+

Long-Term Sustainability vs. Immediate Gains: Buyers must decide between pursuing long-term sustainability objectives and seeking immediate gains through potentially less sustainable practices. Striking the right balance involves aligning short-term gains with broader sustainability goals.

+

Innovation vs. Established Practices: Buyers may trade off between encouraging innovation in sustainable practices and sticking to established, potentially less sustainable, procurement methods. Balancing innovation with proven practices is essential for sustainable procurement.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Adhering to sustainability targets may require suppliers to invest in new technologies or practices, potentially causing financial strain.

+

Competitive Disadvantage: Suppliers not meeting sustainability targets may face a disadvantage in bidding for contracts, affecting competitiveness.

+

Complex Certification Processes: Suppliers may encounter challenges in navigating complex certification processes to prove their sustainability credentials.

+

Trade-offs

+

Compliance vs. Innovation: Suppliers may face the trade-off between complying with buyer sustainability targets and innovating in their offerings. Striking the right balance involves meeting sustainability requirements while fostering a culture of innovation.

+

Cost of Sustainability Compliance vs. Profitability: Suppliers may incur additional costs to meet sustainability requirements, impacting overall profitability. The trade-off involves managing compliance costs while maintaining a viable and profitable business model.

+

Market Access vs. Sustainability Investments: Suppliers must decide between investing in sustainability practices to access markets with stringent requirements and balancing these investments with other business needs. Striking the right balance involves meeting market demands while ensuring financial viability.

+

Risk Mitigation vs. Market Competitiveness: Suppliers may prioritize risk mitigation through sustainable practices but must balance this with remaining competitive in the market. The trade-off involves managing risks while staying competitive in the procurement landscape.

",

Indirect

,

Indirect

,"

IDH Based Interviews (Frank Joosten)

+

EY Based Interviews

",[],[], +4,Decarbonisation levers,"

Definition

+

Implement decarbonisation levers where net-zero or climate mitigation is a corporate goal or where external risk assessments highlight climate threats to supply security. Opportunities may include agroforestry or soil conservation for carbon sequestration which in turn can create additional sources of farmer income

","

1. Enabling Conditions for Carbon Sequestration in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers actively engaged in carbon sequestration practices, emphasizing environmentally responsible and climate-friendly agricultural methods.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of carbon sequestration techniques and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to carbon sequestration, fostering partnerships, and incentivizing the adoption of sustainable farming practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify carbon sequestration practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers actively engaged in carbon sequestration to promote stability and incentivize continued commitment to sustainable and climate-friendly farming methods.

+

2. Enabling Conditions for Carbon Sequestration on a Farm Level:

+

Cover Cropping: Integration of cover crops into farming practices to enhance soil health, increase organic matter, and promote carbon sequestration.

+

Agroforestry Practices: Incorporation of agroforestry techniques, such as planting trees on farmlands, to sequester carbon in both soil and woody biomass.

+

Conservation Tillage: Adoption of conservation tillage methods, like no-till or reduced tillage, to minimize soil disturbance and enhance carbon retention in the soil.

+

Crop Rotation: Implementation of crop rotation strategies to improve overall soil health, increase carbon content, and contribute to sustainable soil management.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective carbon sequestration practices, optimizing soil health and overall sustainability.

+

Successful implementation of carbon sequestration requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of climate-friendly principles into the core of farming and procurement strategies.

","

When is this a strategic choice?

+

Implement decarbonisation levers where net-zero or climate mitigation is a corporate goal or where external risk assessments highlight climate threats to supply security.

+

What it means:

+

Decarbonisation levers are activities that a business can use to reduce carbon emissions. They can be performed directly by the business or, as is more likely in this instance, in the upstream supply chain. Examples of decarbonisation levers can include:

+

• Switching to renewable energy

+

• Improving energy efficiency of equipment and processes

+

• Agroforestry or soil conservation

+

• Carbon sequestration

+

Some decarbonisation levers are about directly reducing emissions produced e.g. switching to renewable energy. Others are opportunities to capture carbon, offsetting emissions that may occur elsewhere.

+

When offsetting activities are done within your own value chain, it is referred to as insetting. The whole value chain can present opportunities for insetting and materials sourced from agriculture can offer brilliant opportunities. For example, agroforestry, increasing natural habitats for biodiversity or increasing soil organic matter.

+

There are challenges associated with insetting. There are physical challenges in ensuring the permanence of actions taken to inset carbon. There are also accountancy challenges in calculating the carbon benefit achieved through these actions. Both of these require specialist input to ensure they are done properly.

+

Insetting can also benefit farmer income. Insetting actions that produce carbon credits that a farmer can sell is a way of generating additional income. This can be particularly valuable if farmers can use marginal land for actions such as tree planting.

+

Ensuring carbon insetting requires commitment and verification over the long term. A business must be confident that this can be achieved in order to make this a valid strategic choice.

","

Environmental Perspective

+

Practices such as agroforestry, cover cropping, reduced tillage, and improved manure management increase soil organic carbon and strengthen biodiversity. Shifts to energy efficient machinery, irrigation, and cold storage cut fuel use, while on farm renewables reduce reliance on fossil energy. Together, these actions lower emissions, improve soil and water health, and build resilient ecosystems.

+

Income Perspective

+

Improved efficiency lowers spending on fuel, fertilizer, and electricity. Renewable energy systems, such as solar for pumping or drying, reduce long term operating costs and can provide surplus energy for sale. Participation in carbon markets can generate additional income through verified credits, and sourcing programs that reward decarbonisation can deliver access to premiums or long term contracts.

+

Risk Perspective

+

Decarbonisation reduces exposure to energy price volatility, fertilizer shortages, and regulatory pressures on emissions. Practices that build soil carbon and improve efficiency also strengthen resilience to drought, flooding, and extreme weather. By diversifying income through carbon credits or renewable energy sales, farmers reduce dependence on a single revenue stream.

+

Link to Procurement Organizations

+

Procurement partners must be committed to very long-term physical carbon insetting to create value for farmers for low carbon products, co-investing in renewable installations, and supporting measurement and verification of carbon outcomes. Long term offtake agreements, technical support, and access to finance help farmers adopt practices and technologies that deliver both emissions reduction and supply chain resilience.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Adoption of carbon sequestration practices may lead to variations in agricultural production and potential disruptions in the supply chain, affecting product availability.

+

Cost Implications: Suppliers implementing carbon sequestration practices may incur initial costs, potentially impacting product prices and the overall procurement budget.

+

Certification Challenges: Ensuring adherence to certification standards related to carbon sequestration may pose challenges, requiring rigorous monitoring and verification.

+

Trade-offs

+

Cost vs. Sustainability: Balancing potential cost implications of products from suppliers engaged in carbon sequestration with the desire to support environmentally responsible and climate-friendly sourcing practices.

+

Consistency vs. Innovation: Striking a balance between consistent supply from traditional sources and the innovative adoption of carbon sequestration practices within the supply chain.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers implementing carbon sequestration practices may initially face higher costs, potentially causing financial strain and impacting competitiveness.

+

Transition Period Challenges: Adoption of new practices may pose challenges during the initial phases, affecting production efficiency and consistency.

+

Market Access Concerns: Suppliers may face challenges in accessing markets that prioritize traditional, non-carbon sequestration farming practices.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of adopting carbon sequestration practices against potential market access and premium prices associated with sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adopt carbon sequestration practices may divert attention and resources from traditional production methods.

+

Short-Term Costs vs. Long-Term Benefits: Balancing the short-term financial implications of transitioning to carbon sequestration with the potential long-term benefits in terms of soil health, productivity, and environmental sustainability.

+

Addressing these risks and trade-offs requires careful planning, collaboration, and a long-term perspective from both buyers and suppliers in the procurement process.

",

Indirect

,

Direct

,"1. https://www.greenbiz.com/article/why-jpmorgan-hm-and-others-will-pay-571-million-spread-crushed-rock-farmland
","['https://www.greenbiz.com', 'https://www.greenbiz.com/article/why-jpmorgan-hm-and-others-will-pay-571-million-spread-crushed-rock-farmlandDefinition +

Conduct a thorough external risk analysis across climate, biodiversity, nature, human rights, forced labour, child labour, and free, prior, and informed consent. Include regulatory sustainability risks (climate, human rights, supply chain due diligence) linked to sourced materials.

","

Enabling conditions for environmental risk assessment in a procurement organization include:

+

Supply Chain Visibility: Establish comprehensive supply chain visibility to identify key environmental hotspots and potential impacts associated with agri-food procurement activities.

+

Environmental Expertise: Ensure that the procurement team has access to or collaborates with environmental experts who can effectively assess and interpret environmental data and impacts.

+

Data Collection and Monitoring Systems: Implement robust data collection and monitoring systems to track environmental indicators, enabling the continuous assessment of procurement activities.

+

Stakeholder Engagement: Engage with key stakeholders, including suppliers and local communities, to gather insights on potential environmental impacts and foster collaborative efforts in mitigating adverse effects.

+

Sustainability Criteria Integration: Embed environmental sustainability criteria directly into procurement policies and evaluation processes, making EIAs an integral part of supplier selection and product sourcing.

+

Regulatory Adherence: Stay informed about and comply with environmental regulations and standards specific to the agri-food sector, ensuring that EIAs align with legal requirements.

+

Technology Adoption: Leverage innovative technologies, such as satellite imagery or remote sensing tools, to enhance the accuracy and efficiency of EIAs, especially in assessing land use, water consumption, and biodiversity impacts.

+

Risk Mitigation Strategies: Develop strategies to address identified environmental risks within the supply chain, incorporating measures to mitigate issues related to water usage, pollution, deforestation, and other relevant concerns.

+

Benchmarking and Performance Metrics: Establish benchmarking mechanisms and performance metrics to compare the environmental impact of different suppliers and products, promoting competition in adopting sustainable practices.

+

Collaboration with Certification Bodies: Collaborate with recognized environmental certification bodies to align EIAs with established standards, providing credibility and assurance of environmentally responsible sourcing practices.

+

Education and Training: Provide ongoing education and training for procurement professionals on the latest methodologies and tools for conducting EIAs, ensuring a well-informed and skilled team.

+

Continuous Improvement Framework: Implement a continuous improvement framework based on EIA findings, fostering a culture of learning and adaptation to evolving environmental challenges.

+

Transparent Reporting: Communicate EIA results transparently to internal and external stakeholders, demonstrating the organization's commitment to environmental responsibility and accountability.

+

Incentivizing Sustainable Practices: Develop incentive mechanisms for suppliers that actively engage in reducing their environmental impact, encouraging a proactive approach to sustainability.

+

By focusing on these targeted pproaches, procurement organizations can enhance the effectiveness of their EIAs, leading to more sustainable and environmentally conscious sourcing practices.

","

Conducting a value chain risk assessment enables identification and assessment of the sustainability risks in your value chain. This is key to enabling effective risk management in procurement decisions. To do this effectively, it is helpful to have a good level of Value Chain Visibility first. However, a high-level assessment can still bring value to the business by identifying the most likely and severe types of risks associated with different categories.

+

The lenses through which you may want to consider a risk assessment include:

+

• Country of Origin: The country defines the macro risks based on its environmental, social, political and economic situation.

+

• Commodity/category/product of interest: The processes involved in the production of different commodities, categories and products impact the risks associated with them

+

• Risks to Assess: The most important risks to assess may be associated with the countries and commodities of interest, or they may come from reviewing your business strategy and sustainability commitments. The risks of interests may include:

+

o Environmental: Climate, Deforestation, Water, Nature

+

o Social: Human Rights (inc. Child Labour, Forced Labour, Indigenous Rights), Living Wages and Income, Gender Equality, Health and Safety

+

If you have engaged with your suppliers as part of improving Value Chain Visibility and have a sense of whether supply chains are likely to be stable or unstable over the next five years, consider potential changes that could occur and, if possible, incorporate this flexibility into the risk assessment approach.

+

If you are starting from scratch review the IDH focus areas, which will help surface the material sustainability risks. If you need further help, useful resources may include;

+

• Search WRI for environment risks like climate, deforestation, water and nature

+

• Search by commodity at Verite for human rights risks

+

At this stage you are simply understanding the ‘sustainability’ risks the business is exposed to, from the current value chain, due to the current procurement strategy.

","

Environmental Perspective

+

Sustainable Farming Practices: Comprehensive risk assessments help farmers identify and adopt practices that reduce negative impacts across the value chain, such as conserving soil, lowering pesticide use, and enhancing biodiversity.

+

Climate Resilience: By highlighting vulnerabilities to climate change, these assessments support actions that build resilience to extreme weather and strengthen long term environmental sustainability.

+

Income Perspective

+

Access to Premium Markets: Farmers who align with value chain risk assessment findings can access buyers and markets that prioritize sustainable and resilient sourcing, often linked to premium pricing.

+

Cost Savings: Efficiency gains identified through assessments, such as reduced input use or better resource management, can lower costs and improve overall profitability.

+

Risk Perspective

+

Market Viability: Assessments strengthen market viability by ensuring farmer practices align with buyer expectations, regulatory standards, and consumer preferences, reducing the risk of exclusion.

+

Long Term Stability: By addressing environmental, social, and operational risks across the value chain, farmers position themselves for continued access to markets and long term business resilience.

+

Link to Procurement Organizations

+

Procurement partners play a central role by communicating risk and sustainability criteria to farmers and the opportunities in rewarding alignment. Supporting risk assessments and providing guidance ensures that sourcing is consistent with company commitments, while helping farmers strengthen practices that secure market access and supply continuity.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruption: To minimize disruption risks, buyers should strategically diversify their supplier base, balancing sustainability criteria with the need for a resilient and varied supply chain.

+

Increased Costs: Buyers can strategically negotiate with suppliers, emphasizing the importance of cost-effectiveness while encouraging sustainable practices to manage procurement expenses.

+

Limited Supplier Innovation: Buyers can actively engage with smaller suppliers, fostering innovation by providing support and guidance to meet sustainability criteria.

+

Trade-offs

+

Cost vs. Sustainability: Buyers must strategically navigate the trade-off between cost-effectiveness and sustainability, making informed compromises to achieve both financial and environmental goals.

+

Supplier Diversity vs. Sustainability: Balancing sustainability with supplier diversity requires careful consideration, especially in regions or industries where meeting sustainability standards may be challenging.

+

Time-to-Market vs. Sustainability: Buyers need to find a balance between selecting sustainable suppliers and meeting time-to-market goals, ensuring that sustainability efforts do not unduly extend procurement timelines.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers can proactively manage financial strain by seeking collaborative partnerships with buyers, exploring cost-sharing models for sustainable investments.

+

Competitive Disadvantage: Suppliers with lower sustainability scores should focus on improving practices to avoid losing business opportunities, emphasizing the value of sustainable offerings.

+

Compliance Challenges: Suppliers facing compliance challenges should engage with buyers to streamline diverse sustainability standards, ensuring a more manageable and efficient adherence process.

+

Trade-offs

+

Cost vs. Sustainability: Suppliers must strategically balance the trade-off between implementing sustainable practices and managing production costs, seeking innovative and cost-effective solutions.

+

Innovation vs. Compliance: Suppliers can navigate the trade-off by integrating sustainability into their innovation agenda, demonstrating that both innovation and compliance can coexist.

+

Market Access vs. Sustainability: Suppliers targeting international markets must weigh the benefits of market access against the costs of adapting to sustainability requirements, aligning their strategies with evolving global standards.

",

Indirect

,

Indirect

,"1. https://consult.defra.gov.uk/water/rules-for-diffuse-water-pollution-from-agriculture/supporting_documents/New%20basic%20rules%20Consultation%20Impact%20Assessment.pdf
+2. https://www.fao.org/3/Y5136E/y5136e0a.htm
+3. https://www.sciencedirect.com/science/article/pii/S0048969721007506
","['https://consult.defra.gov.uk/water/rules-for-diffuse-water-pollution-from-agriculture/supporting_documents/New%20basic%20rules%20Consultation%20Impact%20Assessment.pdf', 'https://consult.defra.gov.uk/water/rules-for-diffuse-water-pollution-from-agriculture/supporting_documents/New%20basic%20rules%20Consultation%20Impact%20Assessment.pdfDefinition +

Crop rotation and diversification are core practices considered under regenerative agriculture strategies. These practices involve alternating different crops on the same land over time to improve soil health, reduce pests and diseases, and increase farm resilience.

","

1. Enabling Conditions for Crop Rotation and Diversification in a Procurement Organization:

+

Sustainable Sourcing Policies: Establishment of procurement policies that prioritize products sourced from farms practicing crop rotation and diversification, promoting sustainable agricultural practices.

+

Supplier Collaboration: Collaboration with suppliers committed to crop rotation and diversification, encouraging the adoption of diverse farming methods within the supply chain.

+

Educational Initiatives: Providing training and education for procurement professionals to enhance their understanding of the benefits of crop rotation and diversification and the associated impacts on agricultural sustainability.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers implementing crop rotation and diversification, fostering stability and incentivizing the continued commitment to sustainable practices.

+

2. Enabling Conditions for Crop Rotation and Diversification on a Farm Level:

+

Holistic Farm Planning: Development of comprehensive farm plans that integrate crop rotation and diversification strategies, considering soil health, pest management, and overall sustainability.

+

Crop Rotation Plans: Implementation of systematic crop rotation plans that involve alternating the types of crops grown in specific fields over time to break pest and disease cycles.

+

Cover Crops Integration: Incorporation of cover crops during periods when main crops are not grown to enhance soil fertility, prevent erosion, and provide additional benefits to the ecosystem.

+

Polyculture Practices: Adoption of polyculture practices, including the simultaneous cultivation of multiple crops in the same area, to increase biodiversity and enhance ecological balance.

+

Agroecological Approaches: Integration of agroecological principles that mimic natural ecosystems, promoting resilience, reducing reliance on external inputs, and enhancing overall farm sustainability.

+

Community Engagement: Engagement with local communities, consumers, and agricultural extension services to raise awareness of the importance of crop rotation and diversification for sustainable agriculture.

+

Both at the procurement organization and on the farm level, successful implementation of crop rotation and diversification requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of these principles into the core of farming and procurement strategies.

","

Crop rotation and diversification is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of soil conservation can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers and pesticides

+

• Improve yield through enhanced soil fertility

+

• Minimise pest and disease build-up associated with continuous cropping

+

Implementing this requires a long-term commitment and capability building with suppliers to enable implementation at the farm level. Farmers must understand which crop combinations make the most business sense for sustained income, while buyers need to assess how competitive their crop is within the farm enterprise system. The resource commitment for farmer training must be clearly defined with suppliers and embedded in the Cost of Goods cost model as part of the overall procurement strategy.

","

1. Environmental Perspective:

+

Soil Health: Crop rotation and diversification contribute to improved soil health by preventing nutrient depletion and reducing the risk of soil-borne diseases.

+

Biodiversity Preservation: Diversified farming practices support biodiversity by providing different habitats for various plant and animal species.

+

2. Income Perspective:

+

Risk Mitigation: Farmers adopting crop rotation and diversification reduce the risk of crop failure due to pests or diseases affecting a single crop. This can lead to more stable and predictable incomes.

+

Market Access: Diversification allows farmers to access a broader range of markets, catering to diverse consumer preferences and potentially increasing sales and income.

+

3. Risk Perspective:

+

Reduced Input Costs: Crop rotation and diversification can lead to reduced input costs as they minimize the need for external inputs like pesticides and fertilizers.

+

Adaptation to Climate Change: Diversified crops provide resilience to changing climate conditions, allowing farmers to adapt and continue generating income even in the face of climate-related challenges.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are essential in providing access to markets and resources. By supporting and incentivizing the adoption of crop rotation and diversification, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Fluctuations: Buyers must address potential variability in crop yields due to crop rotation and diversification, implementing strategies to manage and predict supply chain fluctuations.

+

Higher Initial Costs: Buyers need to manage higher initial production costs resulting from diverse farming methods, ensuring procurement decisions align with budget constraints and efficiency goals.

+

Transition Period Challenges: Buyers should be aware of challenges suppliers may face during the transition to crop rotation and diversification, taking measures to minimize potential impacts on product availability and consistency.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance the higher costs of diverse farming methods against the desire to support environmentally sustainable and resilient agricultural practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Variety: Striking a balance between ensuring a consistent supply of products and offering a variety of goods requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and diversity.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting crop rotation and diversification may face initial financial strain, requiring strategic resource allocation to mitigate the impact on competitiveness.

+

Transition Period Challenges: Suppliers transitioning to diverse farming methods must address challenges in adapting to new methods, implementing measures to maintain productivity during the transition.

+

Market Access Challenges: Suppliers without the means to adopt diverse farming practices may struggle with accessing markets that prioritize sustainability and diversification, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers must weigh the costs and challenges of transitioning to crop rotation and diversification against the potential market access and premium prices associated with sustainable and diversified products, ensuring a sound investment in diversified farming.

+

Innovation vs. Tradition: Allocating resources to adopt diverse farming methods involves trade-offs with traditional methods, necessitating suppliers to find a harmonious integration that maintains productivity.

+

Crop Yield vs. Sustainability: Balancing the desire for higher crop yields with the commitment to crop rotation and diversification may require trade-offs, with suppliers finding optimal solutions that align with environmental goals.

",

Direct

,

Direct

,"1. https://www.tandfonline.com/doi/abs/10.1300/J064v28n04_04
+

2.https://www.foeeurope.org/sites/default/files/briefing_crop_rotation_june2012.pdf3. https://twin-cities.umn.edu/news-events/diversifying-crop-rotations-improves-environmental-outcomes-while-keeping-farms

+4. https://www.hindawi.com/journals/aag/2021/8924087/
+5. https://www.mdpi.com/2073-4395/12/2/436
+6. https://www.frontiersin.org/articles/10.3389/fagro.2021.698968/full
","['https://www.tandfonline.com', 'https://www.tandfonline.com/doi/abs/10.1300/J064v28n04_04Definition +

Creating sustainability KPIs to be implemented within procurement. These KPIs can help to track the impact of actions implemented through a sustainable sourcing strategy, and progress towards business and procurement sustainability commitments and targets.

","

To effectively implement Data Management in a Procurement Data Analytics context, a procurement organization should establish a comprehensive data governance framework, implement robust data security measures and privacy compliance, form clear collaboration agreements with suppliers/farmers, promote cross-functional collaboration, ensure high data quality standards, prioritize interoperable systems and integration capabilities, develop a scalable infrastructure, conduct regular audits for compliance, and invest in training programs for procurement professionals, creating a foundation for secure, collaborative, and strategic data use throughout the procurement value chain.

","

Once the strategic choices have been identified, take the time to identify KPIs that will enable tracking of progress and impact through implementation of the strategic choices. Aim to create as few KPIs as possible to give you the understanding you need while being realistic about data collection capabilities. There are a few levels that you could consider implementing KPIs at:

+

• Individual supplier/project level: Track progress of specific activities

+

• Category level: Track progress across a full category of interest e.g. tracking deforestation across the cocoa sourcing category

+

• Cross-category level: Tracking progress holistically across multiple categories

+

Aim to create KPIs that are a mix of:

+

• Leading KPIs: Activities that build towards positive impacts e.g. number of suppliers trained, or number of gender dis-aggregated farmers trained

+

• Lagging KPIs: Actual outcome measures that the procurement strategy will deliver e.g. % carbon mitigation, % farmers making living income

+

Ensure these KPIs are part of the procurement strategy tracking and implementation in combination with the usual procurement KPIs e.g. savings, inflation, OTIF. Consider including the sustainability KPIs in supplier scorecards and quarterly supplier business reviews.

","

Income Perspective

+

Market Access and Fair Pricing: Using data to report on quality, sustainability, and compliance allows farmers to meet evolving procurement KPIs, improving market access and supporting fairer pricing. Greater transparency can strengthen trust with buyers and contribute to higher income.

+

Efficient Resource Utilization: Data-driven insights enable farmers to allocate resources more effectively, lowering costs and improving profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Data on soil health, water use, and chemical applications helps farmers identify opportunities to adopt practices that reduce environmental impact while meeting buyer expectations.

+

Resource Conservation: Tracking KPIs beyond spend encourages efficient use of inputs such as water and fertilizer, leading to lower waste and a more sustainable production system.

","

1. Buyer Perspective

+

Risks

+

Data Security Concerns: Inadequate data security measures may lead to breaches, compromising sensitive procurement information and exposing the buyer to potential legal and financial consequences.

+

Increased Costs of Implementation: Implementing robust data management practices may entail significant upfront costs, impacting the buyer's budget and potentially leading to budget overruns.

+

Supplier Collaboration Challenges: Suppliers may face difficulties in adapting to collaborative data sharing, potentially affecting the buyer-supplier relationship and hindering information flow.

+

Trade-offs

+

Data Security vs. Accessibility: Buyers may face the trade-off between ensuring robust data security measures and providing easy accessibility to relevant stakeholders. Striking the right balance involves safeguarding sensitive information while facilitating necessary access.

+

Customization vs. Standardization: Buyers implementing data management systems may need to balance customization for specific needs and standardization for efficiency. The challenge is to tailor data solutions while maintaining standardized processes.

+

Cost of Technology vs. ROI: Buyers investing in data management technologies may face the trade-off between the initial cost of technology adoption and the expected return on investment (ROI). The challenge is to manage costs while realizing long-term benefits.

+

Data Analytics vs. Privacy Compliance: Buyers utilizing data analytics for insights must balance this with compliance with privacy regulations. Striking the right balance involves leveraging data analytics for informed decision-making while protecting individual privacy.

+

2. Supplier Perspective

+

Risks

+

Increased Reporting Burden: Suppliers may experience an increased reporting burden, potentially impacting operational efficiency and leading to resistance in adopting new data management practices.

+

Technology Adoption Challenges: Suppliers may struggle to adopt and integrate new technologies for data sharing, resulting in potential disruptions to their operations and compliance challenges.

+

Data Security Risks: Suppliers may face risks related to data security, especially if the buyer's data management practices do not meet industry standards, potentially exposing the supplier to cyber threats.

+

Trade-offs

+

Data Transparency vs. Confidentiality: Suppliers providing data may face the trade-off between transparency and confidentiality. The challenge is to share necessary information while protecting proprietary and confidential business details.

+

Resource Allocation vs. Data Requirements: Suppliers may need to allocate resources for meeting buyer data requirements, and this must be balanced against other operational needs. The trade-off involves optimizing resource allocation for both data compliance and overall efficiency.

+

Technology Adoption vs. Operational Impact: Suppliers adopting new technologies for data management may need to balance this with the potential impact on day-to-day operations. The challenge is to adopt efficient data management tools without disrupting regular business processes.

+

Data Quality vs. Timeliness: Suppliers must balance providing high-quality data with the need for timely delivery. Striking the right balance involves ensuring data accuracy while meeting the required timelines set by buyers.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

",[],[], +8,Direct & Indirect Pre-Finance,"

Definition

+

Pre-financing options can support key strategic choices and help to catalyse sustainable sourcing initiatives. Typically used to help those upstream, who are implementing sustainable practices, access sufficient finance needed to start these actions. Direct pre-finance goes directly to the actor implementing the changes, e.g. direct to the farmer, while indirect pre-finance may go towards bank guarantees, development funds or NGOs that then support actors.

","

To implement direct and indirect finance interventions effectively in a procurement organization, it is crucial to have well-defined procurement objectives aligned with comprehensive financial planning, utilize advanced financial systems, ensure robust budgeting processes, establish a comprehensive risk management framework, maintain strong supplier relationship management practices, understand and adhere to financial regulations, implement stringent data security measures, continuously monitor performance using key indicators, and foster collaboration between procurement and finance teams.

","

Direct and Indirect Pre-Financing is an action for implementation that could emerge from many of the strategic choices selected, as it is about supporting capability building in the upstream supply chain. Choices it is most likely to be linked to include Mutual Supplier-Based Incentives, Upstream Supplier Tier Reduction, Supplier Capability Building, and Long-term Contracts.

+

If cash flow is limited and investment is needed in upstream supply chain actors, pre-financing may be required to enable action. Implementing such practices may be particularly important where, as a buyer, you have identified strategic priorities and risks to be managed that must be done by upstream actors and need resource from your business to enable initial investments and actions to be made.

+

As a buyer, you must understand the cash flow of upstream supply chain actors and how implementing new sustainable practices might impact this. To ensure these actors have the capability to implement these initiatives, the buyer may need to consider different approaches to financing to ensure upstream actors have healthy cash flows.

+

Examples of direct pre-financing:

+

• Advanced payments: Paying suppliers, farmers, or cooperatives a proportion of the cost of goods in advance to cover costs

+

• Providing inputs: Buying inputs needed, e.g. seeds, fertilizers, technology, to initiate actions that are then deducted from end costs

+

Examples of indirect pre-financing:

+

• Bank guarantees: Acting as a guarantor to a local bank, allowing farmers to access loans and reducing risk for the bank

+

• Partnerships with NGOs or development agencies: Collaboration and support for organisations that help farmers access financing and resources they need

","

1. Income Perspective

+

Farmers often face cash flow challenges due to seasonal variations and market uncertainties. Direct and indirect finance interventions can provide farmers with the necessary capital to invest in their operations, purchase seeds and equipment, and withstand economic fluctuations.

+

Improved access to finance allows farmers to make timely investments, leading to increased productivity, higher yields, and ultimately, improved income. It also provides a financial safety net during periods of low agricultural income.

+

2. Environment Perspective

+

Sustainable farming practices are essential for environmental conservation. Finance interventions can support farmers in adopting environmentally friendly technologies, implementing conservation practices, and transitioning to more sustainable agricultural methods.

+

Access to financing for sustainable practices, such as precision farming, organic farming, or water conservation, can contribute to soil health, biodiversity, and reduced environmental impact. It aligns with the global push for sustainable agriculture.

","

1. Buyer Perspective:

+

Cost of Capital:

+

Risk: Depending on the financial arrangements, the cost of obtaining capital through finance interventions may pose a risk. High-interest rates or fees could increase the overall cost of procurement for the buyer.

+

Tradeoff: The tradeoff involves finding a balance between securing necessary funding and managing the associated costs to ensure competitiveness and profitability.

+

Trade-offs

+

Cost of Finance vs. Procurement Efficiency: Buyers may face the trade-off between managing the cost of finance and optimizing procurement efficiency. Striking the right balance involves securing favorable financial terms without compromising the speed and effectiveness of procurement processes.

+

Risk Mitigation vs. Supplier Relationships: Buyers utilizing finance interventions for risk mitigation may need to balance this with the desire to maintain strong, collaborative relationships with suppliers. The challenge is to manage risks while fostering positive supplier partnerships.

+

Customization of Financial Solutions vs. Standardization: Buyers may seek customized financial solutions for different procurement scenarios but must balance this with the benefits of standardization for consistency. The trade-off involves tailoring financial approaches while maintaining standardized processes.

+

Long-Term Financial Planning vs. Short-Term Goals: Buyers must decide between focusing on long-term financial planning for sustainable procurement practices and addressing short-term procurement goals. Striking the right balance involves aligning financial strategies with both immediate needs and long-term sustainability.

+

2. Supplier Perspective

+

Access to Finance:

+

Risk: Suppliers may face challenges in accessing finance if they do not meet the buyer's financial criteria or if the financing process is complex.

+

Tradeoff: Tradeoffs involve meeting financial requirements while maintaining independence and ensuring that financial arrangements are supportive rather than restrictive.

+

Cost of Compliance:

+

Risk: Complying with the financial and contractual requirements set by the buyer may result in additional costs for suppliers.

+

Tradeoff: Suppliers need to evaluate the tradeoff between securing business from a particular buyer and the associated compliance costs. Negotiating fair terms is crucial.

+

Trade-offs

+

Cost of Finance vs. Profitability: Suppliers may face the trade-off between managing the cost of finance and maximizing profitability. The challenge is to secure financing options that contribute to financial stability without significantly impacting profit margins.

+

Cash Flow vs. Financing Terms: Suppliers may prioritize maintaining healthy cash flow but must balance this with the financing terms offered by buyers. The trade-off involves managing cash flow while accommodating the financial terms set by buyers.

+

Risk Management vs. Independence: Suppliers utilizing finance for risk management may need to balance this with the desire for financial independence. The challenge is to mitigate risks while preserving autonomy in financial decision-making.

+

Long-Term Financial Partnerships vs. Diversification: Suppliers may desire long-term financial partnerships with buyers, but this could conflict with the need for financial diversification. Striking the right balance involves pursuing stable financial relationships while diversifying funding sources.

",

Direct

,

Direct

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

",[],[], +9,Direct Farmer Contracting,"

Definition

+

Establish direct farmer contracting programs where they offer the fastest, most cost-effective way to implement sustainability strategies and manage risk, bypassing multiple supply chain tiers.

","

To effectively implement Direct Farmer Contracting Programs, a procurement organization must establish transparent communication channels, ensure legal compliance, conduct educational initiatives for farmers, integrate technology for monitoring, develop risk management strategies, establish fair pricing mechanisms, define quality standards, provide capacity-building for farmers, offer flexible contract terms, and collaborate with agricultural experts, fostering fair, transparent, and sustainable relationships in the agricultural supply chain.

","

When is this a strategic choice?

+

When the spend category is business critical and the value chain visibility analysis surfaces value chain actors who are adding cost (e.g. middle men, traders) and/or developing a greenfield site as a buyer. Depending on the outcome of the internal and external analysis, this may be the most competitive cost approach to secure supply and engage directly with farmers to mitigate identified risks.

+

What it means:

+

This is linked to other strategic choices such as Reducing Upstream Supply Tiers and Supplier Capability Building.

+

This will require resource either directly from a buyer’s business or to support identifying an implementation partner for a farmer.

+

• Direct resource could include providing direct funding through procurement-driven sustainability investments, providing technical know-how, or supporting the farmer to build professional skills such as business planning and accessing finance.

+

• Implementation partners could include, for example, identifying in-country partners to work directly with smallholder farmers to coordinate smallholder crop production improvement activities.

","

1. Income Perspective

+

Direct contracting often provides farmers with guaranteed prices, reducing uncertainties and ensuring more stable income. Also, establishing direct relationships with businesses opens up opportunities for capacity building and development, contributing to increased productivity and income.

+

2. Environment Perspective

+

Direct Farmer Contracting programs can promote sustainability as companies can enforce their environmental standards directly with the farmers, encouraging and ensuring sustainable farming practices are in place.

","

1. Buyer Perspective

+

Risks

+

Supply Variability: Direct contracts with individual farmers may expose buyers to supply variability influenced by weather conditions and other uncontrollable factors.

+

Dependency on Localized Sources: Relying on local farmers may lead to limited geographic diversity, posing risks in the event of local disruptions.

+

Contract Non-Compliance: Farmers may face challenges in meeting contract terms, leading to potential disruptions in the supply chain.

+

Trade-offs

+

Supply Chain Control vs. Farmer Independence: Buyers may face the trade-off between maintaining strict control over the supply chain through direct farmer contracting and allowing farmers greater independence. Deciding on the right balance involves assessing the level of control needed versus empowering farmers.

+

Quality Assurance vs. Cost Competitiveness: Buyers must balance the assurance of product quality through direct contracts with the need for cost competitiveness. Striking the right balance involves ensuring quality while remaining economically competitive in the market.

+

Risk Sharing vs. Farmer Viability: Buyers may opt for risk-sharing arrangements with farmers to manage uncertainties, but this must be balanced against ensuring the financial viability of individual farmers. Deciding on the level of risk sharing involves considering the economic sustainability of farmers.

+

Sustainability Goals vs. Operational Efficiency: Buyers may prioritize sustainability goals in direct farmer contracting programs, but this could impact operational efficiency. Balancing sustainability objectives with the need for streamlined operations is crucial.

+

2. Supplier Perspective

+

Risks

+

Price Volatility: Farmers may face risks associated with price volatility in agricultural markets, impacting their income.

+

Market Access Challenges: Dependence on a single buyer may limit farmers' access to other markets, reducing their bargaining power.

+

Input Cost Fluctuations: Fluctuations in input costs may affect farmers' profitability, especially if contracts do not account for these variations.

+

Trade-offs

+

Stable Income vs. Market Diversification: Farmers may face the trade-off between securing stable income through direct contracts and diversifying their market exposure. Striking the right balance involves managing income stability while avoiding over-reliance on a single buyer.

+

Access to Resources vs. Autonomy: Farmers must decide on the trade-off between accessing resources provided by buyers in direct contracts and maintaining autonomy in their farming practices. Balancing resource support with the desire for independence is essential.

+

Risk Reduction vs. Profit Potential: Farmers may opt for direct contracts to reduce production and market risks, but this may come with limitations on profit potential. Deciding on the right balance involves assessing risk tolerance and profit expectations.

+

Long-Term Stability vs. Flexibility: Farmers may seek long-term stability through direct contracts, but this could limit their flexibility to adapt to changing market conditions. Finding the right balance involves considering the benefits of stability against the need for adaptability.

",

Direct

,

Indirect

,"

IDH Interview Sessions

+

Nespresso Example, Norwegian & Pakstanian Rice producer

",[],[], +10,Fair Pricing and Flexible Payment Terms,"

Definition

+

Use fair pricing, milestone payments, partial prepayments, or shorter payment cycles to support direct farmer contracting, supplier capability building, and other strategic relationship models.

","

To effectively implement Fair Pricing Negotiation Practices, a procurement organization should conduct thorough market research, maintain transparent cost structures, establish fair and ethical sourcing policies, provide negotiation skills training, utilize data analytics for price trends, implement Supplier Relationship Management practices, ensure legal and regulatory compliance, encourage cross-functional collaboration, define clear contractual terms, establish performance metrics and monitoring mechanisms, and promote supplier diversity and inclusion, fostering a transparent, ethical, and collaborative approach to pricing negotiations.

","

Being cognisant of cash flows and investment needs of upstream supply chain actors may require implementation of fair pricing and flexible payment terms. Implementing such practices may be particularly important where, as a buyer, you have identified strategic priorities and risks to be managed that must be done by upstream actors and need resource from your business to enable initial investments and actions to be made.

+

As a buyer, you must understand the cash flow of upstream supply chain actors and how implementing new sustainable practices might impact this. To ensure these actors have the capability to implement these initiatives, the buyer may need to consider different approaches to financing to ensure upstream actors have healthy cash flows.

+

Similarly, even if not asking upstream suppliers to implement new practices, as a buyer you should be conscious of whether your current payment terms are inhibiting healthy cash flow for upstream suppliers. This could be creating risk in itself by limiting supplier and farmer ability to implement their own improvements.

","

Income Perspective

+

Fair, transparent pricing linked to quality and sustainability premia lifts farm income and rewards good practice. Shorter payment periods and milestone or partial payments smooth cash flow, improve planning, and reduce reliance on expensive credit. Pre finance for inputs enables timely purchase of seed, fertilizer, and services, supporting higher yields and more reliable revenue.

+

Environmental Perspective

+

Stable cash flow and input pre finance make it feasible to invest in soil health, efficient water use, and low impact pest management. When premia are tied to verified outcomes, farmers are paid for reduced inputs and positive environmental results, reinforcing adoption over time.

+

Risk Perspective

+

Predictable payments and advances cut cash flow gaps that lead to distress sales or under application of inputs. Transparent price formulas and floors reduce exposure to market swings. Timely working capital lowers the risk of missing planting windows and supports recovery after weather shocks.

+

Link to Procurement Organizations

+

Procurement partners must be clear on how they are ensuring a healthy cash flow for farmers, with little bureaucracy. Buyers can operationalize this through clear pricing formulas, documented premia for verified practices, prompt payment targets, and payment schedules aligned to the crop calendar. Offering pre finance or input on account, with fair deductions at delivery, plus simple dispute resolution, builds trust and supply continuity while advancing climate and nature goals.

","

1. Buyer Perspective

+

Risks

+

Higher Costs: Strict adherence to fair pricing practices may lead to higher procurement costs for buyers.

+

Supplier Resistance: Suppliers might resist fair pricing negotiations, potentially impacting the buyer's ability to secure competitive rates.

+

Market Competition: Intense market competition may limit the effectiveness of fair pricing negotiations, particularly in situations with a limited supplier pool.

+

Trade-offs

+

Cost Savings vs. Fairness: Buyers may face the trade-off between pursuing cost savings through rigorous negotiations and ensuring fairness in pricing for suppliers. Striking the right balance involves negotiating for favorable terms while respecting fair pricing practices.

+

Competitive Bidding vs. Relationship Building: Buyers must decide between competitive bidding processes that focus on price and relationship-building approaches that consider fairness. The trade-off involves balancing the pursuit of cost-effective solutions with the desire to foster long-term relationships with suppliers.

+

Market Competition vs. Supplier Relationships: Buyers navigating fair pricing negotiations may find that intense market competition limits the effectiveness of such negotiations, particularly in situations with a limited supplier pool. The trade-off involves managing market dynamics while maintaining strong supplier relationships.

+

Timeliness vs. Thorough Negotiation: Buyers may need to balance the desire for timely negotiations with a thorough examination of pricing terms. Striking the right balance involves efficient negotiation processes without compromising the depth of the evaluation.

+

2. Supplier Perspective

+

Risks

+

Reduced Profit Margins: Accepting fair pricing may result in reduced profit margins for suppliers.

+

Loss of Competitive Edge: Strict adherence to fair pricing may limit a supplier's ability to offer lower prices compared to competitors.

+

Financial Strain: If fair pricing practices are not universally adopted, suppliers might face financial strain compared to those not adhering to fair pricing.

+

Trade-offs

+

Profitability vs. Fairness: Suppliers face the trade-off between maximizing profitability and adhering to fair and transparent pricing practices. Balancing the desire for profit with a commitment to fair pricing contributes to sustainable and ethical business practices.

+

Stability vs. Cost Competitiveness: Suppliers may weigh the benefits of stable, long-term relationships with buyers against the need to remain cost-competitive in the market. The trade-off involves maintaining stability while ensuring competitiveness in pricing.

+

Relationship Building vs. Market Exposure: Suppliers may need to balance building strong relationships with buyers against the desire for exposure to a broader market. The trade-off involves fostering collaboration with key buyers while exploring opportunities in the wider marketplace.

+

Innovation vs. Budget Constraints: Suppliers may desire to innovate in their offerings, but budget constraints imposed by fair pricing negotiations can limit these initiatives. Striking a balance involves finding innovative solutions within the constraints of negotiated pricing terms.

",

Direct

,

Indirect

,"

EY Based Interviews

+

https://www.fairtrade.net/news/realistic-and-fair-prices-for-coffee-farmers-are-a-non-negotiable-for-the-future-of-coffee

+

https://files.fairtrade.net/standards/2011-05-10_List_of_Ideas_FDP_SPO_EN_final.pdf

+

https://www.iisd.org/system/files/2023-01/2023-global-market-report-cotton.pdf

","['https://www.fairtrade.net', 'target=_blank', 'https://files.fairtrade.net', 'target=_blank', 'https://www.iisd.org', 'target=_blank']","[200, None, None, None, 403, None]",https://www.fairtrade.net (200) +11,Fair Trade or Organic Certification,"

Definition

+

Apply relevant certifications where corporate or brand-level commitments exist or where certifications have been identified as strategic levers to achieving goals.

","

1. Enabling Conditions for Fair Trade Certifications in a Procurement Organization:

+

Sustainable Procurement Policies: Development of procurement policies that prioritize fair trade certifications, emphasizing the inclusion of products from suppliers adhering to ethical labor practices, fair wages, and environmentally sustainable production.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of fair trade principles and certifications, promoting awareness and commitment to ethical sourcing.

+

Supplier Collaboration: Collaboration with suppliers committed to fair trade practices, fostering partnerships, and incentivizing the adoption of socially responsible and sustainable farming methods within the supply chain.

+

Commitment of the procurement organization: Utilization or establishment of recognized fair trade certification standards, ensuring authenticity and compliance in the procurement process, and supporting transparency in supply chain practices.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers holding fair trade certifications, promoting stability and incentivizing continued commitment to fair and ethical trading practices.

+

2. Enabling Conditions for Fair Trade Certifications on a Farm Level:

+

Fair Labor Practices: Implementation of fair labor practices, including fair wages, safe working conditions, and protection of workers' rights, contributing to social sustainability and fair trade certification eligibility.

+

Environmental Sustainability: Adoption of environmentally sustainable farming methods, such as organic farming or agroecological practices, to align with fair trade certification requirements that emphasize environmental responsibility.

+

Community Engagement: Active engagement with local communities, ensuring their participation and benefit from fair trade practices, promoting social inclusivity and responsible business conduct.

+

Transparent Supply Chains: Implementation of transparent supply chain practices, including traceability and documentation, to facilitate fair trade certification processes and demonstrate adherence to ethical standards.

+

Technical Support: Access to technical support and extension services to assist farmers in meeting fair trade certification requirements, optimizing their ability to comply with the necessary standards.

+

Successful implementation of fair trade certifications requires a commitment to ethical practices, collaboration, ongoing education, and the integration of fair trade principles into the core of farming and procurement strategies.

","

Fair Trade or Organic Certification is most likely to emerge as an action for implementation through selection of Selecting a Sustainability Certification as a strategic choice.

+

These certifications can provide assurance that the supply chains involved are mitigating certain risks and negative impacts, e.g. ensuring living incomes are met for farmer and avoiding environmental damage through excessive use of agrochemicals. If these have been identified as significant risks in the value chain, certification can be a strategic lever to minimising these risks in your supply chain.

+

This will mean an increase in cost of goods for the certification premium. It may also impact availability of the product, both volume and possible sourcing locations. For some commodities, sufficient certified volumes may be readily available. For others, this may require working with suppliers and upstream farmers to build certified volume, increasing costs even further. These impacts on costs should have been accounted for during the strategic choice selection process.

","

Environmental Perspective

+

Both certifications encourage practices that build soil health, conserve biodiversity, and reduce chemical use. This improves ecosystem resilience, lowers pollution, and supports long term farm productivity.

+

Income Perspective

+

Certification can secure premium or minimum prices, providing farmers with higher and more predictable income. Reduced dependence on synthetic inputs in organic systems can lower costs over time, while Fairtrade often channels funds into community development that creates additional livelihood opportunities.

+

Risk Perspective

+

Price floors and premium markets reduce exposure to volatile commodity prices and create stable income streams. Organic production reduces environmental risks such as soil degradation and water contamination, while Fairtrade networks strengthen social resilience and provide support during market or climate shocks.

+

Link to Procurement Organizations

+

Procurement partners must be clear within their business that this is a strategic choice for the long term. By recognizing and rewarding certified products, procurement organizations open access to differentiated markets and signal long term demand for sustainable production. Incentives, technical support, and clear sourcing commitments help farmers maintain certification, aligning farm level practices with company goals on ethical, sustainable supply.

","

1. Buyer Perspective:

+

Risks

+

Higher Costs: Buyers must evaluate the potential impact on the procurement budget due to the higher production costs associated with fair trade products.

+

Supply Chain Complexity: Buyers need to anticipate and manage complexities introduced into the supply chain by fair trade certifications to ensure logistics efficiency.

+

Market Competition: Buyers may encounter challenges in markets where consumers prioritize lower prices, potentially affecting the competitiveness of fair trade products.

+

Trade-offs

+

Cost vs. Ethical Sourcing: Buyers must make decisions that balance the potential cost implications of fair trade products with the desire to support ethical labor practices, fair wages, and environmentally sustainable production methods.

+

Consistency vs. Diversity: Achieving a balance between a consistent supply from traditional sources and the diverse range of fair trade products requires strategic decision-making in procurement offerings.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adhering to fair trade certifications need to address potential financial strain resulting from higher production costs.

+

Certification Costs: Suppliers must manage additional administrative and certification-related costs associated with obtaining and maintaining fair trade certifications.

+

Market Access Challenges: Suppliers may face difficulties accessing markets that prioritize lower-priced products over fair trade certifications.

+

Trade-offs

+

Cost vs. Market Access: Suppliers should carefully weigh the costs and challenges of fair trade certifications against potential market access and premium prices associated with ethical and sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adhere to fair trade certifications may divert attention and resources from traditional production methods, requiring suppliers to find a balanced approach.

+

Short-Term Costs vs. Long-Term Benefits: Suppliers need to balance the short-term financial implications of fair trade certifications with the potential long-term benefits in terms of brand reputation, market access, and social responsibility.

",

Direct

,

Direct

,"1. https://www.rainforest-alliance.org/for-business/2020-certification-program/
","['https://www.rainforest-alliance.org', 'https://www.rainforest-alliance.org/for-business/2020-certification-program/Definition +

Group certification programmes allow a number of small-scale farmers to become certified together, with a single certificate covering the group rather than individual farmers. All farmers in the group must adhere to the same set of controls to ensure compliance with the certification’s standards. Using group certification reduces costs for the individual famer making certification more accessible.

","

Enabling conditions and prerequisites in a procurement organization to effectively and successfully implement Sustainable Agricultural Certification Premiums include:

+

1. Clear Sustainability Criteria

+

Prerequisite: Establish clear and well-defined sustainability criteria aligned with recognized agricultural certifications.

+

2. Engagement with Certification Bodies:

+

Prerequisite: Collaborate with reputable agricultural certification bodies to align premium criteria with industry-recognized standards.

+

3. Supplier Education and Training:

+

Prerequisite: Provide education and training programs for suppliers on sustainable agricultural practices and certification requirements.

+

4. Transparent Premium Structure:

+

Prerequisite: Design a transparent premium structure outlining the criteria for receiving sustainable agricultural certification premiums.

+

5. Monitoring and Verification Systems:

+

Prerequisite: Implement robust systems for monitoring and verifying supplier adherence to sustainability criteria.

+

6. Financial Capacity:

+

Prerequisite: Ensure financial capacity within the organization to fund sustainable agricultural certification premiums.

+

7. Legal and Ethical Compliance:

+

Prerequisite: Ensure compliance with legal and ethical standards in premium structures and supplier engagement.

+

8. Promotion of Certification Benefits:

+

Prerequisite: Actively promote the benefits of sustainable certifications and associated premiums to suppliers.

+

9. Stakeholder Collaboration:

+

Prerequisite: Collaborate with stakeholders such as farmers, certification bodies, and industry groups to build support for sustainable agriculture.

","

Group Certification Programmes is most likely to emerge as an action for implementation through selection of Selecting a Sustainability Certification as a strategic choice.

+

Implementing a group certification programme may be necessary if sustainability certification has been identified as a strategic choice, but sufficient supplies of certified commodities are not readily available in your current, and future, supply chain. Group certification programmes can be a cost efficient way to create a supply of certified commodities by allowing small-scale farmers and producers to obtain certification with lower costs required individually.

+

The buyer and supplier should assess the opportunities for group certification programmes, the expected up-front investment cost and the expected cost avoidance and risk mitigation opportunities that come from its implementation. Such investments should be captured in the Cost of Goods model.

","

1. Income Perspective

+

Group certification can open up access to premium markets, leading to higher sales and income for farmers. Reduced individual costs of certification mean more funds are available for other operational investments, potentially increasing productivity and income.

+

2. Environment Perspective

+

Group certification programs often require farmers to adopt sustainable practices to meet certification standards. This encourages environmentally-friendly farming, which can lead to better environmental outcomes in the farming community.

","

1. Buyer Perspective

+

Risks

+

Complex Coordination: Coordinating multiple suppliers for a group certification program may introduce complexity in logistics and communication.

+

Dependence on Group Compliance: Relying on group compliance may pose a risk if individual suppliers fail to maintain the required standards, impacting overall certification.

+

Challenges in Group Alignment: Achieving alignment among diverse suppliers in terms of practices and commitment to certification may be challenging.

+

Trade-offs

+

Cost Efficiency vs. Customization: Buyers may face the trade-off between achieving cost efficiency through group certification programs and providing customization to individual suppliers. Striking the right balance involves optimizing group benefits without compromising the unique needs of each supplier.

+

Risk Mitigation vs. Supplier Independence: Buyers using group certification programs may seek risk mitigation through standardized processes, but this could affect the independence of individual suppliers. The trade-off involves managing risks while preserving the autonomy of suppliers.

+

Supplier Collaboration vs. Competitive Edge: Buyers promoting collaboration among suppliers through group certification programs may need to balance this with the potential loss of a competitive edge for individual suppliers. The challenge is to foster collaboration while maintaining a competitive marketplace.

+

Long-Term Sustainability vs. Short-Term Goals: Buyers must decide between pursuing long-term sustainability objectives through group certification and achieving short-term procurement goals. Striking the right balance involves aligning group efforts with broader sustainability goals.

+

2. Supplier Perspective

+

Risks

+

Loss of Autonomy: Suppliers may feel a loss of autonomy in adhering to group certification requirements, potentially affecting their individual brand image.

+

Free-Rider Phenomenon: Some suppliers within the group may benefit from certification without actively contributing to sustainable practices, creating a ""free-rider"" scenario.

+

Complexity in Adherence: Adhering to group certification standards may be challenging for suppliers with diverse operations and practices.

+

Trade-offs

+

Group Benefits vs. Individual Recognition: Suppliers may face the trade-off between benefiting from group certification programs and seeking individual recognition for their sustainability efforts. The challenge is to leverage group benefits while showcasing unique contributions.

+

Compliance Costs vs. Group Support: Suppliers may incur compliance costs for group certification, but this must be balanced against the support and resources provided by the group. The trade-off involves managing costs while leveraging the collective strength of the group.

+

Market Access vs. Autonomy: Suppliers participating in group certification programs may gain enhanced market access, but this could impact their autonomy in decision-making. The challenge involves accessing markets collaboratively while preserving individual business strategies.

+

Resource Allocation vs. Certification Standards: Suppliers may need to allocate resources effectively to meet group certification standards, but this must be balanced against the potential impacts on overall resource allocation. The trade-off involves optimizing resources for both group compliance and individual operational efficiency.

",

Indirect

,

Indirect

,

How Much Does Rainforest Alliance Certification Cost? | Rainforest Alliance (rainforest-alliance.org)

,['rainforest-alliance.org'],[None], +13,Integrated Pest Management (IPM),

Definition: Integrated Pest Management is an approach to the management of pests on farms in an ecologically sensitive way. The approach combines knowledge of pest lifecycles and natural pest control from beneficial predator insects or disease resistant crops. Synthetic pesticides are only used when required.

,"

1. Enabling conditions in a Procurement Organization:

+

Clear Policies and Guidelines: Establishing comprehensive policies and guidelines that prioritize the adoption of IPM practices in the procurement of agricultural products.

+

Supplier Collaboration: Collaborating with suppliers to ensure their adherence to IPM principles, promoting sustainable and environmentally friendly pest control methods.

+

Education and Training: Providing education and training programs for procurement staff to enhance awareness and understanding of IPM practices.

+

Monitoring and Auditing: Implementing regular monitoring and auditing processes to assess supplier compliance with IPM principles and identify areas for improvement.

+

Incentives for Sustainable Practices: Offering incentives or rewards for suppliers who demonstrate effective implementation of IPM and sustainable pest management practices.

+

2. Enabling conditions on the farm level:

+

Integrated Pest Management Plan: Developing and implementing a comprehensive IPM plan tailored to the specific characteristics and challenges of the farm.

+

Crop Rotation and Diversity: Incorporating crop rotation and diverse plantings to disrupt pest cycles and create less favorable conditions for pests.

+

Biological Control: Utilizing natural predators, parasites, or pathogens to control pest populations and reduce reliance on chemical pesticides.

+

Monitoring Systems: Establishing regular monitoring systems to detect pest populations early and assess the effectiveness of control measures.

+

Community Engagement: Engaging with the local community, neighboring farms, and agricultural extension services to share knowledge and collectively address pest management challenges.

+

Continuous Improvement: Emphasizing a commitment to continuous improvement by regularly reviewing and updating IPM strategies based on monitoring results and emerging pest threats.

+

Both in a procurement organization and on a farm, a holistic and collaborative approach that integrates sustainable and environmentally friendly pest management practices is key to successful implementation of Integrated Pest Management.

","

Integrated pest management is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of integrate pest management can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs

+

• Improve yield and minimise disruption of supply due to pests

+

• Allow better yields for longer on the same land through avoiding environmental damage to soil and the wider ecosystem through excessive application of synthetic agrochemicals

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, directly with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

","

1. Environmental Perspective:

+

Biodiversity Preservation: IPM emphasizes the use of diverse and ecologically sustainable pest control methods, promoting biodiversity by avoiding the negative impact of broad-spectrum pesticides on non-target species.

+

Soil and Water Conservation: Reduced reliance on chemical pesticides in IPM practices contributes to the conservation of soil quality and water resources, supporting environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: While implementing IPM practices may require initial investment in training and monitoring, farmers can achieve long-term cost savings by reducing expenses on chemical inputs and potentially benefiting from government incentives for sustainable practices.

+

Access to Premium Markets: Farmers adopting IPM may gain access to premium markets that prioritize products produced using environmentally friendly and ecologically sustainable pest control methods, contributing to increased income.

+

3. Risk Perspective:

+

Reduced Dependency on Chemicals: IPM reduces the risk of developing pesticide-resistant pests, addressing a significant challenge in conventional agriculture. This enhances the long-term effectiveness of pest control strategies for farmers.

+

Health and Safety: IPM minimizes the health and safety risks associated with the handling and exposure to chemical pesticides, creating a safer working environment for farmers.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to inputs and resources. By supporting and incentivizing the adoption of IPM practices, procurement organizations contribute to the sustainable farming practices of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Potential Supply Chain Disruptions: Buyers must carefully manage the implementation of IPM to avoid disruptions in the availability of agricultural products, ensuring a stable and reliable supply chain.

+

Higher Costs: Buyers need to strategically navigate higher production costs from IPM practices, balancing sustainability goals with efficient procurement to manage overall expenses.

+

Limited Product Availability: Implementing IPM practices requires buyers to assess potential impacts on product availability, making informed decisions that maintain a balance between consistency and variety.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically navigate the trade-off between cost considerations and supporting sustainable pest management practices, ensuring both economic efficiency and environmental responsibility.

+

Consistency vs. Variety: Balancing a consistent supply with a diverse range of products necessitates compromises, requiring buyers to find an optimal mix that meets both supply chain stability and product variety.

+

2. Supplier Perspective:

+

Risks

+

Financial Impact: Suppliers adopting IPM practices must strategically manage initial cost increases, ensuring the financial impact doesn't compromise their stability during the transition.

+

Competitive Disadvantage: Suppliers practicing IPM must focus on mitigating competitive disadvantages, emphasizing the added value of environmentally friendly practices to counterbalance potential higher costs.

+

Transition Challenges: Suppliers transitioning to IPM should address challenges effectively to minimize disruptions and maintain productivity during the adaptation period.

+

Trade-offs

+

Cost vs. Environmental Impact: Suppliers must strategically navigate the trade-off between managing costs and minimizing the environmental impact of pest management practices, ensuring a balance between financial efficiency and ecological responsibility.

+

Innovation vs. Tradition: Suppliers adopting IPM practices must integrate innovation efforts with traditional methods, ensuring a harmonious coexistence that doesn't compromise established workflows.

+

Market Access vs. IPM Adoption: Suppliers targeting environmentally conscious markets must weigh the benefits of market access against the costs and challenges of adopting and maintaining IPM practices, aligning their strategies with evolving consumer expectations.

",

Direct

,

Direct

,"1. https://onlinelibrary.wiley.com/doi/full/10.1111/1477-9552.12306
+2. https://www.fao.org/pest-and-pesticide-management/ipm/integrated-pest-management/en/
+3. https://www.ncbi.nlm.nih.gov/pmc/articles/PMC4553536/
","['https://onlinelibrary.wiley.com', 'https://onlinelibrary.wiley.com/doi/full/10.1111/1477-9552.12306Definition +

Use long-term contracts to mutually provide financial stability and the basis to encourage suppliers to invest in sustainability improvements across environmental and human rights areas.

","

Enabling conditions for the effective implementation of long-term contracts in a procurement organization include establishing robust risk management strategies, ensuring clear performance metrics and key performance indicators (KPIs), fostering strong relationships with suppliers, conducting thorough due diligence on contractual terms, maintaining flexibility to accommodate changes, and implementing advanced contract management technologies to facilitate monitoring and compliance over extended periods.

","

When is this a strategic choice?

+

When you need to give your supplier the confidence to invest in the transformative practices for the long term. For example, the supplier investment required in building their capability to ensure living income is achieved for smallholder farmers in their upstream supply chain. This can be a means to enable and support supplier capability building to perform actions that meet a buyer’s identified strategic needs.

+

What it means:

+

• This requires a mind-set shift on your part as a buyer; moving from short-term transactional activities, to long-term, e.g. 5 year plus, cost horizons for strategic activities.

+

• Ensure as a buyer you have engaged with your supplier and identified a genuine opportunity for mutual value creation. For example, implementing a longer-term contract will remove volatility for you as a buyer and provide more secure income to the supplier.

+

• Watch out: Do not engage your supplier in this strategic choice if you are not certain that you can deliver, i.e. you are pushed internally to take advantage when markets are favourable. If you pull out of the contract in twelve months, this will damage trust and your reputation as a buyer.

","

1. Income Stability:

+

Long-term contracts provide farmers with a stable pricing structure, reducing income volatility and offering financial stability for their households.

+

2. Risk Mitigation:

+

By mitigating the impact of market price fluctuations, long-term contracts protect farmers from sudden downturns, preserving their income levels and ensuring financial security.

+

3. Investment Confidence:

+

The confidence provided by long-term contracts encourages farmers to make investments in technology, equipment, and sustainable practices, ultimately leading to increased productivity and income.

+

4. Financial Planning:

+

Long-term contracts enable effective planning for farmers, both in terms of crop cycles and financial management, contributing to better financial planning and increased farm productivity.

+

5. Incentive Alignment:

+

Aligning incentives in long-term contracts creates a collaborative environment where both farmers and buyers benefit from the success of the partnership, encouraging investment in sustainable and efficient farming practices.

+

6. Negotiation Empowerment:

+

Long-term contracts grant farmers greater negotiation power, allowing them to secure favorable terms and pricing structures that positively impact their income.

+

7. Trust Building:

+

The continuity of long-term relationships builds trust between farmers and buyers, fostering reliability, transparency, and mutual understanding, positively influencing income-related negotiations.

+

8. Sustainable Farming Practices:

+

Long-term contracts create a conducive environment for the adoption of sustainable farming practices, aligning with environmental stewardship goals and enhancing the quality of the farmers' products.

+

9. Financial Access:

+

The more secure financial outlook provided by long-term contracts makes it easier for farmers to access credit and investment opportunities, supporting increased productivity and income.

+

10. Crop Diversification:

+

Long-term contracts encourage crop diversification, allowing farmers to experiment with different crops and potentially increase their income through diversified revenue streams.

","

1. Buyer Perspective

+

Risks

+

Market Volatility: Long-term contracts may expose buyers to market fluctuations, impacting the competitiveness of pricing and terms over time.

+

Technological Obsolescence: Advancements in technology may render contracted goods or services outdated, leading to potential inefficiencies or obsolete solutions.

+

Changing Requirements: Evolving business needs could result in misalignment with the originally contracted goods or services, requiring modifications that may be challenging.

+

Trade-offs

+

Cost Certainty vs. Market Flexibility: Buyers may seek cost certainty through long-term contracts, but this can limit their ability to take advantage of market fluctuations or negotiate lower prices during periods of market decline.

+

Supplier Commitment vs. Competitive Bidding: Long-term contracts often require supplier commitment, but this can reduce the opportunity for competitive bidding, potentially limiting cost savings.

+

Risk Mitigation vs. Innovation: Long-term contracts provide stability and risk mitigation, but they may hinder the buyer's ability to quickly adopt new technologies or benefit from innovations in the market.

+

Relationship Building vs. Supplier Diversity: Developing strong relationships with a few suppliers in long-term contracts can enhance collaboration, but it may limit the diversity of suppliers and potential innovation from different sources.

+

2. Supplier Perspective:

+

Risks

+

Resource Commitment: Suppliers may face challenges adapting to changing market conditions or technology, potentially affecting their resource allocation and profitability.

+

Contract Inflexibility: Long-term contracts may limit a supplier's ability to adjust pricing or terms in response to unforeseen circumstances.

+

Dependency: Suppliers may become overly dependent on a single buyer, leading to vulnerability if the buyer faces financial issues or changes in strategy.

+

Trade-offs

+

Stable Revenue vs. Market Opportunities: Long-term contracts offer stable revenue, but suppliers may forego opportunities to take advantage of higher market prices or more lucrative contracts.

+

Production Planning vs. Flexibility: Long-term contracts allow for better production planning, but they may restrict a supplier's flexibility to adapt quickly to changing market conditions or technological advancements.

+

Cost Efficiency vs. Price Negotiation: Suppliers may achieve cost efficiency through long-term relationships, but this could limit their ability to renegotiate prices upward in response to increased costs or inflation.

+

Collaboration vs. Market Exposure: Building a collaborative relationship with a buyer in a long-term contract is beneficial, but it may limit a supplier's exposure to a broader market and potential new customers.

",

Indirect

,

Indirect

,"

Starbucks & C.A.F.E Initiative in Brazil

+

https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf

","['https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf', 'https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdfDefinition +

Shorten the supply chain when current purchasing practices limit influence over sustainability improvements. Closer relationships with upstream suppliers improve effectiveness, reduces costs (removing value chain actors that are not value adding), and reduces risk.

","

1. Strategic Alignment with Organizational Goals

+

Prerequisite: Ensure alignment with overall organizational goals and strategic objectives.

+

Enablement: Strategic alignment guides decision-making towards choices contributing to long-term success.

+

2. Internal Capability Assessment

+

Prerequisite: Evaluate the organization's internal capabilities, expertise, and capacity.

+

Enablement: Understanding internal strengths and limitations aids in determining the feasibility of in-house production.

+

3. Market Assessment and Supplier Evaluation

+

Prerequisite: Conduct a market assessment and evaluate potential suppliers.

+

Enablement: Comprehensive supplier evaluation ensures alignment with organizational needs and goals.

+

4. Comprehensive Cost Analysis:

+

Prerequisite: Conduct a thorough cost analysis for both in-house production and external procurement.

+

Enablement: Detailed cost insights facilitate informed decision-making and resource allocation.

+

5. Cross-Functional Collaboration:

+

Prerequisite: Encourage collaboration between procurement, production, and other relevant departments.

+

Enablement: Cross-functional collaboration enhances information sharing and a holistic approach to decision-making.

+

6. Risk Identification and Mitigation Strategies

+

Prerequisite: Identify potential risks associated with both options and develop mitigation strategies.

+

Enablement: Proactive risk management enhances decision resilience and minimizes potential disruptions.

+

7. Regulatory Compliance Assessment

+

Prerequisite: Assess and ensure compliance with relevant regulations and standards.

+

Enablement: Compliance safeguards against legal issues and ensures ethical procurement practices.

+

8. Contract Management Expertise

+

Prerequisite: Have expertise in contract management for effective supplier relationships.

+

Enablement: Strong contract management ensures that external partnerships align with contractual expectations.

+

9. Scenario Planning

+

Prerequisite: Conduct scenario planning for various market conditions and internal capabilities.

+

Enablement: Scenario planning helps in anticipating potential changes and making adaptable decisions.

+

10. Continuous Monitoring and Evaluation

+

Prerequisite: Implement continuous monitoring and evaluation mechanisms post-implementation.

+

Enablement: Regular assessments ensure the ongoing relevance and effectiveness of the chosen Make vs. Buy strategy.

","

When is this a strategic choice?

+

When the spend category is business critical and the value chain visibility analysis surfaces value chain actors who are adding cost and not mitigating risk. This may also be a strategic choice when there are simply so many steps in the value chain that the ability to leverage influence to address environmental and social risks is significantly reduced.

+

What it means:

+

• Reviewing and repeating the supplier sustainability assessment and supplier segmentation activities for actors in the value chains of interest. This allows you to identify partners who have the commitment and the capability to mitigate the sustainability risks surfaced in the value chain risk assessment.

+

• Once these suppliers have been identified, the next step will be building and developing new supplier relationships with long term commitments.

","

Income Perspective

+

By working more directly with buyers and reducing layers of intermediaries, farmers gain clearer market access and greater income stability. Direct relationships can secure consistent demand, better prices, and access to technical and financial support, reducing reliance on fragmented or uncertain markets.

+

Environmental Perspective

+

Closer integration with buyers can align farm practices with corporate sustainability goals, encouraging reduced chemical use, improved soil and water management, and enhanced biodiversity. With fewer supply chain layers, monitoring and support for environmental improvements become more effective, leading to stronger outcomes on farm.

","

1. Buyer Perspective

+

Risks

+

Operational Complexity: In-house production may introduce operational complexities, including managing additional resources, technology, and expertise.

+

Investment Risk: Investing in production capabilities involves a significant upfront cost, which may not be justified if demand fluctuates.

+

Dependency on Internal Processes: Relying solely on internal processes may limit the buyer's agility in responding to market changes.

+

Trade-offs

+

Cost Efficiency vs. Control: Buyers may face the trade-off between achieving cost efficiency through outsourcing (buying) and maintaining greater control over processes through in-house production (making). Deciding on the right balance involves evaluating the importance of cost savings versus control.

+

Expertise Access vs. In-House Skills Development: Buyers must weigh the advantage of accessing external expertise through outsourcing against the potential benefits of developing in-house skills. The trade-off involves deciding between immediate access to specialized knowledge and building internal capabilities over time.

+

Risk Mitigation vs. Flexibility: Buyers may prioritize risk mitigation by outsourcing certain processes to specialized suppliers, but this could reduce the flexibility to make rapid changes internally. Balancing risk mitigation with the need for adaptability is crucial in the decision-making process.

+

Time-to-Market vs. Quality Control: Buyers may need to balance the desire for a rapid time-to-market through outsourcing against the need for stringent quality control in in-house production. Striking the right balance involves considering time constraints while ensuring product or service quality.

+

2. Supplier Perspective

+

Risks

+

Overdependence on a Single Buyer: Suppliers heavily reliant on a single buyer may face financial vulnerabilities if the buyer changes its production strategy.

+

Market Access Challenges: Suppliers relying solely on external sales may face challenges in accessing certain markets or industries.

+

Limited Control over Production: Suppliers may face risks associated with limited control over production processes and quality standards.

+

Trade-offs

+

Stability through Contracts vs. Market Volatility: Suppliers may face the trade-off between seeking stability through long-term contracts with buyers and navigating market volatility. Long-term contracts offer stability but may limit the ability to respond quickly to market changes.

+

Specialization vs. Diversification: Suppliers must decide between specializing in a particular product or service for a single buyer (making) and diversifying their offerings to cater to multiple buyers (buying). The trade-off involves assessing the benefits of specialization against the risks of dependence on a single buyer.

+

Economies of Scale vs. Customization: Suppliers may weigh the advantages of achieving economies of scale through serving multiple buyers against the customization requirements of individual buyers. The trade-off involves deciding between mass production efficiency and tailoring products or services to specific buyer needs.

+

Cash Flow Predictability vs. Market Dependency: Suppliers may prioritize cash flow predictability through long-term contracts, but this may result in dependency on specific buyers. Balancing cash flow stability with market diversification is essential for supplier sustainability.

",

Direct

,

Indirect

,"

IDH Interview Session

+

https://webassets.oxfamamerica.org/media/documents/Business-briefing-Issue-1-V3.pdf

","['https://webassets.oxfamamerica.org', 'target=_blank']","[403, None]", +16,Mutual supplier-based incentives,"

Definition

+

Develop shared incentive programs to accelerate strategic implementation, especially when building supplier capability, reducing supplier tiers, or transitioning to direct sourcing relationships.

","

To effectively implement Performance-Based Incentives in procurement, a logical progression includes defining clear performance metrics, establishing transparent contractual agreements, developing robust data analytics capabilities, implementing effective Supplier Relationship Management (SRM), establishing communication and feedback mechanisms, defining performance evaluation criteria, designing flexible incentive structures, providing training and support programs, ensuring financial stability, and ensuring legal and ethical compliance, creating a conducive environment for continuous improvement and collaboration with suppliers.

","

When is this a strategic choice?

+

If it has been identified that effective mitigation of sustainability risks can only be achieved through long-term partnering with upstream supply chain actors, trust must be built to provide the foundation for an effective relationship.

+

What it means:

+

Committing to deep partnering and to genuinely understanding what is mutual for both buyer and supplier. This will require confronting and agreeing a fair balance of value creation and acceptance of risk for both parties.

+

This is important to consider when exploring actions such as Supplier Capability Building, Reducing Upstream Supplier Tiers, and Direct Farmer Contracting.

","

Income Perspective

+

Mutual incentive schemes increase farmer income by rewarding achievement of shared targets agreed with buyers. Aligning incentives to continuous improvement and efficiency creates additional opportunities to strengthen profitability while building longer term partnerships.

+

Environmental Perspective

+

When incentives are jointly tied to sustainability goals, farmers are encouraged to adopt practices that improve soil, water, and biodiversity outcomes. This supports climate resilience, long term productivity, and alignment with buyer commitments on sustainable sourcing.

","

1. Buyer Perspective

+

Risks

+

Financial Strain: Offering performance-based bonuses may strain the buyer's budget, especially if multiple suppliers are eligible for bonuses simultaneously.

+

Potential for Misalignment: There's a risk that the buyer's expectations for performance may not align with the supplier's capabilities, leading to disputes over bonus eligibility.

+

Supplier Dependence: Over-reliance on performance bonuses may create a dependency on bonuses rather than fostering sustainable long-term performance improvements.

+

Trade-offs

+

Cost Savings vs. Performance Quality: Buyers may face the trade-off between achieving cost savings and ensuring high performance quality through incentives. Striking the right balance involves aligning incentives with performance expectations without compromising cost-efficiency.

+

Contractual Rigidity vs. Flexibility: Buyers using performance-based incentives may grapple with maintaining contractual rigidity and allowing flexibility for suppliers to meet performance targets. The trade-off involves defining clear performance metrics while accommodating dynamic market conditions.

+

Risk Mitigation vs. Innovation: Buyers may use performance-based incentives for risk mitigation, but this could impact supplier innovation. Balancing risk management with fostering innovation involves setting incentives that encourage both reliability and continuous improvement.

+

Supplier Accountability vs. Relationship Building: Buyers may emphasize supplier accountability through performance-based incentives, but this may affect the overall relationship with suppliers. Striking the right balance involves holding suppliers accountable while fostering a positive working relationship.

+

2. Supplier Perspective

+

Risks

+

Unrealistic Performance Expectations: Suppliers may face challenges if the buyer sets overly ambitious or unrealistic performance targets.

+

Financial Dependence: Dependence on performance bonuses may create financial uncertainty if bonuses are not consistently achieved.

+

Operational Strain: Intense focus on bonus-driven metrics might strain the supplier's operations, potentially affecting overall service or product quality.

+

Trade-offs

+

Profitability vs. Performance: Suppliers may face the trade-off between maximizing profitability and meeting performance metrics to earn incentives. Balancing the desire for profit with the commitment to achieving performance targets is crucial for supplier success.

+

Resource Allocation vs. Incentive Earning: Suppliers may need to allocate resources effectively to meet performance targets, but this must be balanced against the potential for earning incentives. The trade-off involves optimizing resource allocation for both performance and profitability.

+

Stability vs. Variable Income: Suppliers relying on performance-based incentives may experience variability in income. The trade-off involves managing income stability while leveraging performance incentives as a revenue stream.

+

Long-Term Relationships vs. Short-Term Targets: Suppliers may need to balance building long-term relationships with buyers and meeting short-term performance targets for incentives. Striking the right balance involves aligning performance incentives with broader relationship-building objectives.

",

Direct

,

Direct

,"

EY Based Interview Session

+

https://thegiin.org/assets/Understanding%20Impact%20Performance_Agriculture%20Investments_webfile.pdf

","['https://thegiin.org', 'target=_blank']","[200, None]",https://thegiin.org (200) +17,Precision Agriculture,"

Definition

+

Deploy precision agriculture technologies to reduce environmental impacts and input costs on farms.

","

1. Enabling Conditions for Precision Agriculture in a Procurement Organization:

+

Data Integration Systems: Implementation of robust systems for collecting, integrating, and analyzing agricultural data to inform procurement decisions based on precise insights.

+

Technology Adoption: Adoption of cutting-edge technologies such as sensors, GPS, drones, and data analytics platforms to monitor and optimize agricultural processes.

+

Supplier Collaboration: Collaborative partnerships with suppliers who employ precision agriculture practices, fostering a seamless integration of technology-driven approaches throughout the supply chain.

+

Educational Programs: Training procurement staff on the principles and benefits of precision agriculture, enhancing their ability to make informed decisions.

+

Regulatory Compliance: Ensuring alignment with relevant regulations and standards related to data privacy, technology use, and environmental sustainability in precision agriculture.

+

2. Enabling Conditions for Precision Agriculture on a Farm:

+

Technology Infrastructure: Establishment of a reliable and efficient technology infrastructure, including high-speed internet and connectivity to support precision agriculture applications.

+

Data Management and Analysis: Implementation of robust data management systems and analytics tools to process and interpret data collected from precision agriculture technologies.

+

Skill Development: Continuous training and skill development for farm personnel to effectively operate and leverage precision agriculture tools and technologies.

+

Equipment and Sensor Integration: Integration of precision agriculture equipment, sensors, and monitoring devices into farm operations to optimize resource use and enhance overall efficiency.

+

Financial Investment: Availability of financial resources to invest in the initial setup and ongoing maintenance of precision agriculture technologies and equipment.

+

Sustainable Practices: Integration of precision agriculture with sustainable farming practices, considering environmental impact and resource conservation.

+

For both procurement organizations and farms, a holistic approach that combines technological infrastructure, data-driven decision-making, collaboration with stakeholders, and a commitment to sustainable practices is essential for successful implementation of precision agriculture.

","

Precision agriculture technologies are any technologies or practices which optimises agricultural inputs. For example, mapping the soil nutrient levels across a field and then adjusting fertiliser applications across the field to match the required nutrient levels.

+

When is this a strategic choice?

+

When you, as the buyer, have a clear understanding of current and future sourcing origins and are prepared to actively support suppliers in adopting precision agriculture systems.

+

What it means:

+

• As a buyer you are confident that your suppliers have both the capability and commitment to implement and sustain the technology infrastructure required for precision agriculture. This may include Geographic Information Systems (GIS), input optimisation tools, and precision machinery.

+

• As a buyer you are also prepared to provide any additional support needed, including investment capital if necessary.

+

• This strategy depends on suppliers maintaining long-term, trust-based relationships with producers at the farm level.

","

1. Environmental Perspective:

+

Reduced Environmental Impact: Precision agriculture minimizes the environmental impact of farming activities by precisely targeting inputs, minimizing runoff, and optimizing resource use. This supports environmental sustainability and conservation.

+

Soil and Water Conservation: By precisely managing inputs, precision agriculture helps farmers conserve soil quality and water resources, reducing the overall environmental footprint of farming.

+

2. Income Perspective:

+

Cost Savings: Precision agriculture technologies enable farmers to make more informed decisions, reducing input costs and improving overall operational efficiency. This leads to cost savings and increased profitability for farmers.

+

Increased Yields: Improved decision-making based on real-time data can lead to increased yields, contributing to higher income for farmers.

+

3. Risk Perspective:

+

Climate Resilience: Precision agriculture provides tools for farmers to adapt to climate variability by offering real-time data on weather patterns and allowing for more effective risk management.

+

Market Viability: Adoption of precision agriculture practices enhances the market viability of farmers by showcasing their commitment to sustainable and technologically advanced farming methods, reducing the risk of market exclusion.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are vital in providing access to advanced technologies and resources. By supporting and incentivizing the adoption of precision agriculture practices, procurement organizations contribute to the technological advancement and sustainability of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Initial Investment Costs: Buyers should strategically manage the upfront investment in precision agriculture, ensuring the technology aligns with long-term procurement goals without exceeding budget constraints.

+

Dependency on Technology: Buyers must assess and mitigate the risk of overreliance on precision agriculture technology by implementing backup systems and contingency plans for supply chain disruptions.

+

Data Security Concerns: Buyers need to address data security concerns by implementing robust cybersecurity measures, safeguarding sensitive information collected through precision agriculture.

+

Trade-offs

+

Cost vs. Efficiency: Buyers should make strategic decisions on the adoption of precision agriculture technology, weighing upfront costs against expected long-term efficiency gains in procurement and supply chain management.

+

Environmental Impact vs. Productivity: Deciding on the level of technology adoption involves a trade-off between potential environmental benefits and increased productivity, requiring buyers to find a balanced approach that aligns with sustainability goals.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers investing in precision agriculture must carefully manage financial strain, strategically allocating resources to ensure the adoption of technology doesn't compromise their stability.

+

Technological Skill Gaps: Suppliers should address skill gaps by investing in training or recruiting skilled personnel to effectively adopt and implement precision agriculture practices.

+

Market Access Challenges: Suppliers without means to adopt precision agriculture may face challenges accessing markets that prioritize technologically advanced practices, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Competitiveness: Suppliers must strategically balance the costs of adopting precision agriculture with the potential for increased competitiveness in the market, ensuring a sound investment in technology.

+

Innovation vs. Tradition: Allocating resources to adopt new technologies involves a trade-off with traditional farming practices, requiring suppliers to find a harmonious integration that maintains productivity.

+

Market Access vs. Technology Adoption: Suppliers need to weigh the benefits of market access against the costs and challenges of transitioning to and maintaining precision agriculture practices, aligning their strategies with evolving buyer expectations.

",

Direct

,

Direct

,"1. https://www.aem.org/news/the-environmental-benefits-of-precision-agriculture-quantified
+2. https://geopard.tech/blog/the-environmental-benefits-of-precision-agriculture/
+3. https://www.mdpi.com/2071-1050/9/8/1339
+4. https://www.precisionfarmingdealer.com/blogs/1-from-the-virtual-terminal/post/4673-the-environment-and-farmers-reap-benefits-of-precision-ag-technology
","['https://www.aem.org', 'https://www.aem.org/news/the-environmental-benefits-of-precision-agriculture-quantifiedDefinition +

Invest strategically where required improvements are not yet in place or need acceleration. Incentivise suppliers to adopt sustainability practices aligned with internal and external analysis.

","

To enable financially robust and strategically impactful procurement-driven sustainability investments, a procurement organization should prioritize:

+

1. Strategic Investment Planning: Rigorous financial planning for effective resource allocation.

+

2. Strategic Procurement Investment Strategy: Developing a comprehensive strategy aligning procurement investments with overall organizational goals, considering different investments methods (direct / indirect)

+

3. Cost-Benefit Analysis: Implementing analyses to weigh costs against anticipated sustainability impact and long-term value.

+

4. Risk and Return Analysis: Conducting thorough assessments to understand financial risks and returns associated with sustainability investments.

+

5. Performance Metrics Alignment: Ensuring financial metrics align with sustainability performance indicators.

+

6. Strategic Supplier Engagement: Engaging with suppliers aligned with sustainability goals in a strategic manner.

+

7. Technology for Financial Insight: Leveraging technology tools for financial insight and reporting.

+

8. Return on Investment (ROI) Tracking: Establishing mechanisms to monitor and assess the financial outcomes of sustainability initiatives.

+

9. Continuous Improvement Culture: Fostering a culture of continuous improvement within the financial and strategic aspects of sustainability investments.

+

10. Regulatory Compliance Management: Incorporating financial planning to ensure compliance with environmental regulations.

","

When is this a strategic choice?

+

Based on the internal and external analysis – this will have been identified as an investment opportunity to support supplier improvements.

+

What it means:

+

When you need to give your supplier the confidence to invest in the transformative practices for the long term. This investment may take many forms – depending on your needs as the buyer and what is mutual for both buyer and supplier. For example:

+

• Long term contracts: Giving confidence to the supplier to invest in capability building

+

• Pre-financing agreements: Finance provided upfront to enable a supplier or farmer to cover costs needed to start an initiative. Investment comes back to the buyer further down the line.

+

• Cost of Goods Addition: When making a high-value purchase, a supplier/buyer agrees a minor additional percentage of the Cost Of Goods, enabling the supplier to invest in smallholder capability building. The percentage agreed can be decided based on a cost avoidance calculation done to understand the long term cost benefits of the capability building

+

• Performance Cost Model Incentives: Agreeing performance cost model incentives for the supplier, which reduce the buyers total cost of ownership. For example, price indexed to delivering high quality specifications, which brings efficiency by reducing waste for the buyer associated with receiving out-of-specification goods.

","

1. Supply Chain Resilience:

+

Environmental Perspective: Resilient supply chains, supported by sustainability investments, protect farmers from environmental risks, preserving their livelihoods.

+

Income Perspective: Stable supply chains ensure consistent income for farmers, reducing financial vulnerabilities associated with disruptions.

+

2. Quality Assurance:

+

Environmental Perspective: Implementing sustainable farming practices contributes to environmental conservation, ensuring the longevity of farming activities.

+

Income Perspective: High-quality products can command premium prices, positively impacting farmers' income.

+

3. Mitigating Supply Chain Risks:

+

Environmental Perspective: Sustainable farming practices reduce the risk of environmental degradation, safeguarding the long-term viability of farming.

+

Income Perspective: Mitigating supply chain risks ensures stable income for farmers, protecting them from financial uncertainties.

+

4. Ensuring Compliance:

+

Environmental Perspective: Adhering to sustainability standards promotes environmentally responsible farming practices.

+

Income Perspective: Ensuring compliance protects farmers from legal issues, preserving their income and reducing financial risks.

+

5. Long-Term Supply Assurance:

+

Environmental Perspective: Sustainable practices contribute to the long-term availability of agricultural inputs, ensuring the sustainability of farmers' livelihoods.

+

Income Perspective: Consistent supply ensures long-term income stability for farmers, reducing the risk of income fluctuations.

+

6. Cost Efficiency:

+

Environmental Perspective: Sustainable practices contribute to resource efficiency and reduce environmental impact.

+

Income Perspective: Cost-efficient practices positively impact farmers' income by optimizing production processes and reducing waste.

+

7. Market Access and Premiums:

+

Environmental Perspective: Sustainability investments enhance the marketability of products, contributing to environmental sustainability.

+

Income Perspective: Access to premium markets and higher prices for sustainable products directly benefits farmers' income.

+

8. Community Engagement:

+

Environmental Perspective: Community engagement initiatives support sustainable and community-focused farming practices.

+

Income Perspective: Positive community engagement contributes to stable income for farmers, fostering a supportive local environment.

+

9. Risk Mitigation Through Training:

+

Environmental Perspective: Training in sustainable practices supports environmental conservation and adaptation to changing conditions.

+

Income Perspective: Risk mitigation through training ensures farmers can adapt to market demands, preserving their income and livelihoods.

","

1. Buyer Perspective

+

Risks

+

Higher Initial Investment: Implementing sustainability initiatives may require a higher upfront investment in eco-friendly products or services.

+

Uncertain Return on Investment (ROI): The long-term financial benefits of sustainability investments may be uncertain, making it challenging to quantify ROI accurately.

+

Market Volatility: Dependence on sustainability-sensitive suppliers may expose the buyer to market fluctuations, impacting the financial stability of the supply chain.

+

Trade-offs

+

Cost vs. Sustainability Impact: Buyers may face the trade-off of prioritizing lower costs versus making sustainable procurement decisions that may involve higher upfront expenses. Striking the right balance is crucial for achieving sustainability goals while managing costs.

+

Supplier Relationship vs. Sustainable Sourcing: Building strong relationships with existing suppliers may conflict with the pursuit of sustainability if those suppliers do not align with sustainable sourcing practices. Buyers must balance loyalty with the need for suppliers committed to sustainability.

+

Short-Term vs. Long-Term Sustainability Goals: Buyers may need to decide between meeting short-term procurement targets and pursuing more ambitious, long-term sustainability goals. Achieving immediate sustainability gains may conflict with broader, transformative initiatives.

+

Standardization vs. Customization for Sustainability: Standardizing procurement processes can enhance efficiency, but customization may be necessary for tailoring sustainability requirements to specific products or suppliers. Balancing standardization and customization is crucial for effective sustainable procurement.

+

2. Supplier Perspective

+

Risks

+

Increased Production Costs: Adhering to sustainability standards may lead to increased production costs, impacting the supplier's financial performance.

+

Resource Constraints: Meeting stringent environmental criteria may strain supplier resources, affecting overall operational efficiency.

+

Market Exclusion: Suppliers not meeting sustainability standards may face exclusion from contracts, limiting market access and revenue opportunities.

+

Trade-offs

+

Cost Competitiveness vs. Sustainable Practices: Suppliers may face the trade-off of remaining cost-competitive while adopting sustainable practices, which might involve investments in eco-friendly technologies or certifications. Balancing these factors is essential for sustainable procurement partnerships.

+

Market Presence vs. Sustainability Credentials: Suppliers may need to weigh the importance of building a strong market presence against the need to invest in and showcase sustainability credentials. Striking the right balance ensures visibility and commitment to sustainability.

+

Flexibility vs. Compliance with Sustainable Standards: Suppliers may value flexibility in their operations, but strict compliance with sustainability standards may limit their operational freedom. Achieving compliance without compromising operational efficiency is a key trade-off.

+

Short-Term Profits vs. Long-Term Sustainability Investments: Suppliers may need to decide between prioritizing short-term profits and making long-term investments in sustainable practices. Balancing immediate financial gains with sustainable investments is critical for long-term success.

",

Indirect

,

Direct

,"

Based on IDH Interview sessions

+

https://www.iied.org/sites/default/files/pdfs/migrate/16509IIED.pdf

","['https://www.iied.org', 'target=_blank']","[403, None]", +19,Regenerative agriculture,"

Definition: Adopt regenerative agriculture practices where internal commitments or identified value chain risks point to degradation in soil, nature, water, or biodiversity being priority areas to address. Regenerative agriculture approaches help mitigate risks using natural inputs and support long-term sustainability.

","

1. Enabling Conditions for Regenerative Agriculture in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize regenerative agriculture practices, emphasizing the sourcing of products from farms employing regenerative principles.

+

Supplier Engagement: Collaborative partnerships with suppliers committed to regenerative agriculture, encouraging transparency and the adoption of sustainable practices.

+

Educational Initiatives: Providing training and education for procurement professionals to enhance their understanding of regenerative agriculture principles and the associated benefits.

+

Certification Standards: Utilizing or establishing certification standards that recognize and verify regenerative farming practices, ensuring authenticity and compliance in the supply chain.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing regenerative agriculture to promote stability and encourage ongoing commitment to sustainable practices.

+

2. Enabling Conditions for Regenerative Agriculture on a Farm Level:

+

Holistic Farm Planning: Development of comprehensive farm plans that integrate regenerative agriculture principles, considering soil health, biodiversity, and ecosystem resilience.

+

Crop Rotation and Cover Crops: Implementation of crop rotation and cover cropping strategies to enhance soil fertility, reduce erosion, and promote biodiversity.

+

No-till Farming Practices: Adoption of no-till or reduced tillage methods to minimize soil disturbance and promote soil structure and carbon sequestration.

+

Agroforestry Integration: Integration of agroforestry practices, such as the planting of trees and perennial crops, to enhance biodiversity and provide ecosystem services.

+

Livestock Integration: Thoughtful integration of livestock into farming systems to mimic natural ecological processes, improve soil health, and contribute to nutrient cycling.

+

Community Involvement: Engagement with local communities, consumers, and agricultural extension services to raise awareness of regenerative agriculture and foster support for sustainable farming practices.

+

Both at the procurement organization and on the farm level, successful implementation of regenerative agriculture requires a commitment to sustainable principles, collaborative relationships, ongoing education, and the integration of regenerative practices into the core of farming and procurement strategies.

","

1. Cost Perspective:

+

Input Cost Reduction: Regenerative agriculture focuses on enhancing soil health and reducing the reliance on external inputs. This can lead to cost savings for agri-food companies by minimizing the need for synthetic fertilizers and pesticides.

+

Operational Efficiency: Improved soil health and biodiversity associated with regenerative practices contribute to operational efficiency, potentially reducing the need for extensive pest control and fertilization.

+

2. Revenue Perspective:

+

Market Differentiation: Agri-food companies adopting regenerative agriculture can differentiate themselves in the market by offering products with improved environmental and ethical credentials. This differentiation may attract consumers seeking sustainable and responsibly produced goods.

+

Premium Pricing: Products associated with regenerative agriculture may command premium prices due to their perceived environmental and health benefits, contributing to increased revenue.

+

3. Risk Perspective:

+

Supply Chain Resilience: Regenerative agriculture practices, such as diversified crop rotations and cover cropping, can enhance supply chain resilience by reducing vulnerability to climate-related risks, pests, and diseases.

+

Reputation Management: Agri-food companies adopting regenerative practices can mitigate reputational risks associated with environmental degradation and contribute to positive brand perception.

+

4. Link to Procurement Organizations:

+

The use of regenerative agriculture practices links back to procurement organizations as they influence the sourcing decisions of agri-food companies. Procurement teams play a role in establishing criteria that encourage suppliers to adopt regenerative practices, ensuring that the entire supply chain aligns with sustainability and regenerative goals.

","

Environmental Perspective

+

Practices such as cover cropping, reduced tillage, crop rotation, and integrating perennials build soil organic matter, improve water retention, and reduce erosion. Greater plant and microbial diversity strengthens ecosystems and enhances resilience. Lower reliance on synthetic fertilizers and chemicals reduces emissions, and regenerative systems can cut energy use through fewer field passes and input applications.

+

Income Perspective

+

Although transition may require upfront investment, long term cost savings come from reduced fertilizer, pesticide, and energy costs, alongside improved soil fertility and productivity. Access to markets that reward regenerative practices with price premiums or preferential sourcing further increases income potential.

+

Risk Perspective

+

Healthier soils and diversified systems improve resilience to drought, floods, and heat stress, reducing yield losses from climate volatility. Lower dependence on purchased inputs and fossil energy buffers farmers against price spikes and supply disruptions.

+

Link to Procurement Organizations

+

Regenerative agriculture approaches need time to implement. Procurement partners must be committed through a long-term sourcing strategy commitment to farmers to enable technical support and financial incentives. Recognizing regenerative outcomes and linking them to clear sustainability goals strengthens supply security while rewarding farmers for building resilient and climate positive production systems.

","

1. Buyer Perspective:

+

Risks

+

Higher Initial Costs: Buyers must carefully manage the potential increase in procurement expenses associated with higher production costs in regenerative agriculture, ensuring a balanced budget.

+

Variable Supply: Buyers need to address challenges related to variable crop yields in regenerative agriculture, implementing strategies to predict and manage supply fluctuations effectively.

+

Transition Period Challenges: Buyers should be aware of challenges suppliers may face during the transition to regenerative practices, taking measures to minimize potential impacts on product availability and consistency.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance the higher costs of regenerative agriculture against the desire to support environmentally sustainable and resilient farming practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Variety: Striking a balance between ensuring a consistent supply of products and offering a variety of goods requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and diversity.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting regenerative agriculture may face initial financial strain, requiring strategic resource allocation to mitigate the impact on competitiveness.

+

Transition Period Challenges: Suppliers transitioning to regenerative practices must address challenges in adapting to new methods, implementing measures to maintain productivity during the transition.

+

Market Access Challenges: Suppliers without the means to adopt regenerative practices may struggle with accessing markets that prioritize sustainability and regenerative agriculture, necessitating strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers must weigh the costs and challenges of transitioning to regenerative agriculture against the potential market access and premium prices associated with sustainable and regenerative products, ensuring a sound investment in regenerative practices.

+

Innovation vs. Tradition: Allocating resources to adopt regenerative practices involves trade-offs with traditional methods, necessitating suppliers to find a harmonious integration that maintains productivity.

+

Crop Yield vs. Sustainability: Balancing the desire for higher crop yields with the commitment to regenerative and sustainable farming practices may require trade-offs, with suppliers finding optimal solutions that align with environmental goals.

",

Direct

,

Direct

,"1. https://www.unilever.com/news/news-search/2023/regenerative-agriculture-what-it-is-and-why-it-matters/#:~:text=This%20holistic%20land%20management%20system,water%20management%20and%20support%20livelihoods.
+2. https://www.nrdc.org/bio/arohi-sharma/regenerative-agriculture-part-4-benefits
+3. https://www.frontiersin.org/articles/10.3389/fsufs.2020.577723/full
+4. https://www.forbes.com/sites/forbesfinancecouncil/2020/01/30/is-regenerative-agriculture-profitable/
+5. https://www.nestle.com/sustainability/nature-environment/regenerative-agriculture
+6. https://www.unilever.com/planet-and-society/protect-and-regenerate-nature/regenerating-nature/
+7. https://demos.co.uk/wp-content/uploads/2023/09/Regenerative-Farming-Report-Final.pdf
+8. https://www.rainforest-alliance.org/insights/what-is-regenerative-agriculture/
","['https://www.unilever.com', 'https://www.unilever.com/news/news-search/2023/regenerative-agriculture-what-it-is-and-why-it-matters/#:~:text=This%20holistic%20land%20management%20system,water%20management%20and%20support%20livelihoods.Definition: Where value chain visibility reveals reliance on smallholder farmers, support them in improving agricultural practices to manage sustainability risks and find opportunities to improve yield and supply security.

+

such as integrated pest management, soil conservation, and precision agriculture. This requires direct collaboration and supplier capability building.

","

1. Enabling Conditions of Small-Scale Crop Production in a Procurement Organization:

+

Inclusive Sourcing Policies: Establishment of inclusive procurement policies that prioritize the inclusion of small-scale farmers and their products in the supply chain.

+

Local Supplier Networks: Development of local supplier networks to connect with small-scale farmers, fostering collaboration and enabling their participation in procurement opportunities.

+

Fair Trade and Ethical Sourcing Standards: Adoption of fair trade and ethical sourcing standards to ensure fair compensation and ethical treatment of small-scale farmers in the supply chain.

+

Capacity Building: Implementation of capacity-building programs to empower small-scale farmers with the skills and knowledge needed to meet procurement requirements.

+

Financial Support: Provision of financial support or favorable payment terms to small-scale farmers to enhance their financial stability and facilitate their participation in procurement processes.

+

2. Enabling Conditions of Small-Scale Crop Production on the Farm Level:

+

Access to Resources: Provision of access to essential resources such as land, seeds, water, and credit to support small-scale farmers in crop production.

+

Training and Extension Services: Implementation of training programs and agricultural extension services to enhance the technical skills and knowledge of small-scale farmers.

+

Collective Action: Encouragement of collective action through farmer cooperatives or associations to strengthen the bargaining power of small-scale farmers in procurement negotiations.

+

Market Linkages: Establishment of direct market linkages between small-scale farmers and procurement organizations to facilitate the sale of their products.

+

Technology Adoption: Support for the adoption of appropriate agricultural technologies that enhance productivity and sustainability for small-scale farmers.

+

For both procurement organizations and small-scale farms, fostering collaboration, providing support, and implementing inclusive practices are essential for successful small-scale crop production that benefits both parties.

","

Smallholder crop production support can include agricultural practices such as integrated pest management, soil conservation, and precision agriculture. Such practices can help reduce negative environmental impacts, improve farmer crop yields, improve crop resilience to environmental changes and hence improve security of supply. Improving yields and crop resilience can subsequently improve level and stability of incomes for farmers.

+

When is this a strategic choice:

+

When value chain visibility surfaces smallholders as a key characteristic in a business’s value chain and environmental risks or social risks have been identified linked to these smallholders, leaning into supporting smallholders would be a strategic choice.

+

What it means:

+

• Smallholders usually have yield / knowledge gaps – which will need to be closed through training capability, this requires committed and long-term resource of implementing partners to be factored into cost of goods.

+

• Exploring the creation of co-operatives to facilitate capability building for large numbers of smallholders, is a practical management option.

+

• Long term commitments to smallholders through direct suppliers. Buyers must be prepared to create new pricing/cost models accounting for churn/loss of smallholders. Smallholder churn often occurs as smallholders are often ‘price takers’ taking a short term view of buyers, by taking the ‘best price’ the market has to offer.

","

1. Environmental Perspective:

+

Biodiversity Preservation: Small-scale crop production often involves diverse farming practices that support biodiversity and contribute to ecosystem health.

+

Sustainable Agriculture: Small-scale farmers are often more inclined to adopt sustainable and environmentally friendly practices, contributing to overall environmental conservation.

+

2. Income Perspective:

+

Market Access: Collaborating with agri-food companies provides small-scale farmers with broader market access, allowing them to sell their products to a wider audience and potentially increasing income.

+

Stable Incomes: Contractual agreements with agri-food companies can provide small-scale farmers with more stable and predictable incomes compared to traditional markets.

+

3. Risk Perspective:

+

Diversification of Income: Engaging with agri-food companies diversifies the income sources for small-scale farmers, reducing the risk associated with dependency on a single market or crop.

+

Access to Resources: Collaboration with agri-food companies may provide small-scale farmers with access to resources, technologies, and expertise that enhance their resilience to risks such as climate change and market fluctuations.

+

4. Link to Procurement Organizations:

+

For small-scale farmers, procurement organizations are crucial in providing access to markets and resources. By establishing partnerships and contracts with agri-food companies, procurement organizations contribute to the economic viability and sustainability of small-scale farmers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Inconsistency: Buyers must address potential supply inconsistencies from small-scale crop production, implementing strategies to manage and predict procurement demands effectively.

+

Quality Variability: Buyers need to manage fluctuations in crop quality resulting from the variability in farming practices among small-scale producers, ensuring consistent product standards.

+

Limited Capacity: Buyers should be aware of the limitations small-scale farmers may face in meeting large-scale procurement requirements, taking measures to support them during peak demand periods.

+

Trade-offs

+

Cost vs. Local Impact: Buyers should strategically balance potential cost advantages of large-scale production with the desire to support local communities and small-scale farmers, making procurement decisions that align with social impact goals.

+

Consistency vs. Diversity: Striking a balance between ensuring a consistent supply from larger suppliers and offering the diversity of products from small-scale farmers requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and variety.

+

2. Supplier Perspective:

+

Risks

+

Market Access Challenges: Small-scale farmers must address challenges in accessing markets due to competition with larger suppliers, implementing strategies to overcome barriers and establish a market presence.

+

Limited Bargaining Power: Individual small-scale farmers should be aware of their limited bargaining power in negotiations with procurement organizations, strategizing to secure fair terms of trade.

+

Financial Vulnerability: Small-scale farmers need to mitigate financial vulnerability by diversifying their buyer base and reducing dependence on a single buyer or limited market access.

+

Trade-offs

+

Scale vs. Autonomy: Small-scale farmers must balance the potential advantages of larger-scale production with the desire to maintain autonomy and independence, making strategic decisions that align with their values and goals.

+

Efficiency vs. Sustainability: Small-scale farmers may face trade-offs between adopting more efficient practices and maintaining sustainability, requiring strategic decisions to meet procurement demands without compromising long-term environmental goals.

+

Market Access vs. Local Focus: Deciding on the extent to which small-scale farmers want to engage with larger markets while maintaining a focus on local and community needs involves trade-offs, requiring a thoughtful approach that aligns with their overall mission.

",

Direct

,

Direct

,"1. https://www.wbcsd.org/Sector-Projects/Forest-Solutions-Group/Resources/Sustainable-Procurement-Guide
+2. https://www.worldwildlife.org/industries/sustainable-agriculture
+3. https://www.sciencedirect.com/science/article/abs/pii/S0959652619305402
+4. https://www.fao.org/3/i5251e/i5251e.pdf
+5. https://www.eci.ox.ac.uk/sites/default/files/2022-05/Farming-food-WEB.pdf
+6. https://www.iied.org/sites/default/files/pdfs/migrate/16518IIED.pdf
+7. https://www.ncbi.nlm.nih.gov/pmc/articles/PMC8998110/
","['https://www.wbcsd.org', 'https://www.wbcsd.org/Sector-Projects/Forest-Solutions-Group/Resources/Sustainable-Procurement-GuideDefinition +

Introduce soil conservation practices where soil degradation threatens supply security or where carbon sequestration supports decarbonisation goals.

","

1. Enabling Conditions for Soil Conservation in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers practicing soil conservation, emphasizing environmentally responsible and soil-enhancing agricultural practices.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of soil conservation practices and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to soil conservation, fostering partnerships, and incentivizing the adoption of sustainable farming practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify soil conservation practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing soil conservation to promote stability and incentivize continued commitment to sustainable and soil-friendly farming methods.

+

2. Enabling Conditions for Soil Conservation on a Farm Level:

+

Conservation Tillage Practices: Adoption of conservation tillage methods, such as no-till or reduced tillage, to minimize soil disturbance and erosion.

+

Cover Cropping: Integration of cover crops into farming practices to protect and enrich the soil, reduce erosion, and improve overall soil structure.

+

Crop Rotation: Implementation of crop rotation strategies to enhance soil fertility, minimize pest and disease pressure, and contribute to sustainable soil management.

+

Terracing and Contour Farming: Construction of terraces and use of contour farming techniques to reduce water runoff, prevent soil erosion, and promote water retention in the soil.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective soil conservation practices, optimizing soil health and overall sustainability.

+

Successful implementation of soil conservation requires a commitment to sustainable practices, collaborative relationships, ongoing education, and the integration of soil-friendly principles into the core of farming and procurement strategies.

","

Soil Conservation is most likely to emerge as an action for implementation if you have identified the following strategic choices: Regenerative Agriculture, Smallholder Crop Production, Selecting a Sustainability Certification, Precision Agriculture, or Supplier Capability Building.

+

Implementation of soil conservation can bring the following benefits:

+

• Improve farmer gross margin and income through the avoidance of expensive synthetic agrochemical inputs like fertilisers

+

• Improve yield through enhanced soil fertility

+

• Help protect farmers against drought through better soil water retention

+

• Improve carbon sequestration of the soil. If appropriately set up, monitored, measured and accounted, this could contribute to business carbon reduction commitments. If certified, it could also create a secondary income stream through farmers selling carbon credits.

+

Implementing this requires a long-term commitment to upskilling and capability building either with direct suppliers to cascade up the supply chain or, if pursuing Direct Farmer Contracting, directly with farmers. The resource requirements for this training and capability building must be clarified with suppliers as part of the Cost of Goods model, developed as part of the procurement strategy.

","

1. Environmental Perspective:

+

Biodiversity Promotion: Soil conservation practices contribute to biodiversity by creating a healthier and more balanced ecosystem within agricultural landscapes.

+

Water Quality Improvement: Soil conservation helps prevent soil runoff, improving water quality and contributing to environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: Farmers can achieve cost savings through soil conservation practices by reducing expenses related to soil inputs, erosion control measures, and potentially increasing overall income.

+

Diversified Income Streams: Soil conservation practices may create opportunities for farmers to diversify income streams, such as selling carbon credits or participating in conservation programs.

+

3. Risk Perspective:

+

Reduced Crop Failure Risk: Healthy soils resulting from conservation practices reduce the risk of crop failure by providing optimal conditions for plant growth and resilience against pests and diseases.

+

Climate Resilience: Soil conservation practices enhance climate resilience by improving soil structure and water retention, helping farmers adapt to changing weather patterns.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to markets and resources. By supporting and incentivizing the adoption of soil conservation practices, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Adoption of soil conservation practices may lead to variations in agricultural production and potential disruptions in the supply chain, affecting product availability.

+

Transition Costs: Suppliers implementing soil conservation practices may incur initial costs, potentially impacting product prices and affecting the overall procurement budget.

+

Certification Challenges: Ensuring adherence to certification standards related to soil conservation may pose challenges, requiring rigorous monitoring and verification.

+

Trade-offs

+

Cost vs. Sustainability: Balancing potential cost implications of products from suppliers practicing soil conservation with the desire to support environmentally responsible sourcing practices.

+

Consistency vs. Innovation: Striking a balance between consistent supply from traditional sources and the innovative adoption of soil conservation practices within the supply chain.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers adopting soil conservation practices may initially face higher costs, potentially causing financial strain and impacting competitiveness.

+

Transition Period Challenges: Implementation of new soil conservation techniques may pose challenges during the initial phases, affecting production efficiency and consistency.

+

Market Access Concerns: Suppliers may face challenges in accessing markets that prioritize traditional, non-conservation farming practices.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of adopting soil conservation practices against potential market access and premium prices associated with sustainable practices.

+

Innovation vs. Tradition: Allocating resources to adopt soil conservation practices may divert attention and resources from traditional production methods.

+

Short-Term Costs vs. Long-Term Benefits: Balancing the short-term financial implications of transitioning to soil conservation with the potential long-term benefits in terms of soil health, productivity, and environmental sustainability.

+

Addressing these risks and trade-offs requires careful planning, collaboration, and a long-term perspective from both buyers and suppliers in the procurement process.

",

Direct

,

Direct

,

Conservation agriculture- Case studies in Latin America and Africa (fao.org)

,['fao.org'],[None], +22,Supplier Capability Building,"

Definition

+

Build supplier capabilities when internal or external analysis identifies gaps in delivering sustainability outcomes. Direct investment may be the most effective way to manage risks and secure competitive sourcing.

","

Enabling effective implementation of supplier capacity-building initiatives in a procurement organization involves conducting a thorough needs assessment, defining clear objectives, integrating initiatives into the overall procurement strategy, allocating sufficient resources, establishing transparent communication channels, building collaborative partnerships, developing targeted training programs, leveraging technology, implementing robust monitoring and evaluation mechanisms, and incorporating recognition and incentives, ensuring a conducive environment for suppliers' skill development and overall capacity improvement.

","

When is this a strategic choice?

+

When the spend category is business critical, based on the outcomes of the Incorporate Business Strategy intervention, and when a gap in supplier capability, identified in the Supplier Segmentation, has been identified as critical to overcome for optimising costs, ensuring security of supply, or mitigating risks.

+

What it means:

+

This will require resource either directly from a buyer’s business or to support identifying an implementation partner for a supplier.

+

• Direct resource could include providing direct funding through procurement-driven sustainability investments, providing technical know-how, or supporting the supplier to build quality assurance capability.

+

• Implementation partners could include, for example, identifying in-country partners to work directly with smallholder farmers to coordinate smallholder crop production improvement activities.

","

1. Income Perspective

+

All aspects of supplier capacity building will help farmers to increase their income. Enhanced productivity, improved product quality and market access, and access to financial resources all contribute to the potential for increased sales and profits. Additionally, longer-term partnerships can provide more predictable income streams for farmers.

+

2. Environment Perspective

+

Capacity building that promotes sustainable practices and efficient resource utilization fostincs environmentally-friendly farming. This doesn't just benefit the environment but also the farmers, as such practices can lead to healthier soil, increased resilience to climate change, and potential eligibility for certain grants or subsidies.

","

1. Buyer Perspective

+

Risks

+

Resource Intensity: Implementing capacity-building initiatives may require significant time and resources, impacting the buyer's budget and operational efficiency.

+

Dependency on Suppliers: Developing strong supplier capabilities may create a dependency on key suppliers, posing a risk in case of supplier-related disruptions.

+

Unrealized Returns: Despite investments, there is a risk that the expected returns in terms of improved supplier performance may not be fully realized.

+

Trade-offs

+

Short-Term vs. Long-Term Impact: Buyers may face the trade-off between addressing immediate procurement needs and making long-term investments in supplier capacity building. Balancing short-term requirements with the long-term impact on supplier capabilities is essential.

+

Cost vs. Quality in Capacity Building: Buyers may need to decide on the level of investment in supplier capacity building, considering the trade-off between cost considerations and the quality of the capacity-building initiatives. Striking the right balance ensures cost-effectiveness without compromising quality.

+

Speed vs. Thoroughness: Buyers may prioritize swift capacity-building initiatives, but this may come at the expense of a more comprehensive and thorough approach. Deciding between speed and thoroughness involves assessing the urgency of capacity building against the need for a robust program.

+

Focus on Strategic Suppliers vs. Inclusivity: Buyers may need to decide whether to concentrate capacity-building efforts on strategic suppliers or adopt a more inclusive approach. Balancing strategic focus with inclusivity requires assessing the impact on the entire supply chain.

+

2. Supplier Perspective:

+

Risks

+

Resource Strain: Suppliers may face resource strain in adapting to capacity-building requirements, especially if the initiatives demand substantial investments.

+

Dependence on Buyer's Strategy: Suppliers investing in capacity building may become overly dependent on the buyer's strategy, risking vulnerability if the buyer's priorities shift.

+

Competitive Imbalances: Capacity-building initiatives may inadvertently create imbalances among suppliers, impacting competition within the supplier base.

+

Trade-offs

+

Operational Disruption vs. Long-Term Benefits: Suppliers may face operational disruption during capacity-building initiatives, but they must weigh this against the long-term benefits of enhanced capabilities. Striking a balance involves managing short-term challenges for long-term gains.

+

Resource Allocation vs. Day-to-Day Operations: Suppliers may need to allocate resources to capacity building, impacting day-to-day operations. Deciding on the appropriate level of resource allocation involves considering the trade-off between immediate operational needs and building long-term capabilities.

+

Specialized Training vs. General Skills Enhancement: Suppliers may choose between providing specialized training for specific requirements or offering more general skills enhancement. Balancing these options requires assessing the trade-off between meeting immediate needs and building a versatile skill set.

+

Strategic Alignment vs. Independence: Suppliers may need to align strategically with the buyer's goals during capacity building, but this may affect their independence. Deciding the extent of strategic alignment involves evaluating the trade-off between collaboration and maintaining autonomy.

",

Indirect

,

Direct

,"

One of the key learning from IDH Interview sessions

+

https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf

","['https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf', 'https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdfDefinition +

Segment suppliers according to their sustainability commitment maturity and capability to support sustainability goals, identifying those best positioned to deliver strategic outcomes.

","

To effectively implement Supplier Segmentation in a procurement organization, key enabling conditions and prerequisites include establishing a comprehensive category calibration, evaluating business requirements, and developing strategic category strategies. Additionally, integrating supplier lifecycle management, ensuring effective accreditation, streamlining qualification and onboarding processes, and employing a structured segmentation approach based on criteria like performance, risk, innovation potential, geography, product category, and spend size are essential. Utilizing questionnaires, conducting regular segmentation analyses, implementing robust performance and risk management, and fostering proactive supplier development and innovation initiatives contribute to a successful Supplier Segmentation framework aligned with organizational goals.

","

Analyse suppliers based on their public disclosures or those shared in confidence with respect to sustainability commitments, strategies, KPIs, policies and actions. If you have conducted a Supplier Sustainability Assessment, the outputs of this will directly feed into this.

+

Create a simple 2x2 matrix to plot suppliers along two axes:

+

o Capability (e.g. business size, evidence of sustainability knowledge)

+

o Commitment (e.g. sustainability commitments, policies in place, actions to prevent or mitigate risks)

+

Use this segmentation to generate insights beyond cost. This could include risk exposure or risk reduction that suppliers may bring, even in areas not traditionally assessed in supplier evaluations.

+

Prioritise commitment over capability. Highly capable suppliers may lack meaningful sustainability commitments. Understanding this balance is critical to evaluating whether a supplier’s cost competitiveness is outweighed by the sustainability risks they may pose.

","

1. Income Perspective

+

Fair Pricing: Supplier segmentation allows farmers to be categorized based on factors like product quality, yield, and reliability. This enables fair pricing mechanisms, ensuring that farmers with high-quality products receive competitive prices, contributing to increased income.

+

Market Access Opportunities: By segmenting farmers, businesses can identify high-performing ones and provide them with increased market access, leading to expanded opportunities for sales and improved income.

+

2. Environment Perspective

+

Sustainable Practices Recognition: Supplier segmentation can incorporate criteria related to sustainable farming practices. Farmers engaged in environmentally friendly and sustainable methods may be recognized and rewarded, encouraging broader adoption of eco-friendly practices.

+

Environmental Impact Mitigation: By categorizing suppliers based on environmental impact, businesses can work collaboratively with farmers to implement practices that reduce the overall environmental footprint, contributing to sustainable agriculture.

","

1. Buyer Perspective

+

Risks

+

Limited Supplier Diversity: Rigorous segmentation may limit supplier diversity, potentially reducing the pool of available suppliers and limiting competitive advantages.

+

Overreliance on Segmentation Criteria: Overreliance on specific criteria for segmentation may result in overlooking emerging suppliers or failing to adapt to dynamic market conditions.

+

Complexity in Management: Managing multiple segmented supplier groups may introduce complexity and require additional resources for effective oversight.

+

Trade-offs

+

Efficiency vs. Tailored Services: Buyers implementing supplier segmentation may face the trade-off between achieving procurement efficiency through standardized processes and offering tailored services to specific supplier segments. Striking the right balance involves optimizing efficiency while meeting the unique needs of diverse suppliers.

+

Cost Savings vs. Supplier Relationships: Buyers segmenting suppliers for cost savings may need to balance this with the goal of maintaining strong relationships with strategic suppliers. The challenge is to achieve savings without compromising valuable partnerships.

+

Risk Mitigation vs. Supplier Innovation: Buyers may segment suppliers for risk mitigation purposes, but this could impact the potential for supplier-driven innovation. The trade-off involves managing risks while fostering an environment that encourages supplier innovation.

+

Standardization vs. Supplier Diversity: Buyers aiming for standardization in procurement processes may need to balance this with the objective of promoting supplier diversity. The challenge is to standardize processes while supporting a diverse supplier base.

+

2. Supplier Perspective

+

Risks

+

Exclusion from Opportunities: Strict segmentation criteria may lead to the exclusion of certain suppliers, limiting their access to procurement opportunities and potentially hindering their growth.

+

Increased Competition within Segments: As buyers focus on specific criteria, suppliers within a segment may face increased competition, potentially affecting profit margins.

+

Uncertain Market Positioning: Suppliers may face uncertainty in understanding their market positioning within segmented categories, affecting their strategic planning.

+

Trade-offs

+

Fair Access vs. Specialized Opportunities: Suppliers may desire fair access to procurement opportunities but must balance this with the potential benefits of specialized opportunities within specific segments. The challenge involves ensuring equal opportunities while recognizing the value of specialization.

+

Stability vs. Competitive Bidding: Suppliers in segmented categories may seek stability in contracts, but this could conflict with the competitive nature of bidding processes. The trade-off involves pursuing stable relationships while adapting to competitive procurement dynamics.

+

Innovation vs. Compliance Requirements: Suppliers may desire to innovate in their offerings, but strict compliance requirements within segmented categories may limit this. Striking a balance involves fostering innovation within the framework of compliance obligations.

+

Collaboration vs. Independence: Suppliers in collaborative segments may value partnerships, but this could conflict with the desire for independence in certain business aspects. The challenge is to collaborate effectively while respecting the autonomy of suppliers.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

",[],[], +24,Supplier Sustainability Assessment,"

Definition

+

Assess suppliers' public commitments to sustainability across climate, human rights, biodiversity, and nature. Use this data to inform Supplier Segmentation.

","

Enabling conditions for supplier sustainability assessment in a procurement organization include:

+

Clear Sustainability Criteria: Establish well-defined and comprehensive sustainability criteria that cover environmental, social, and economic aspects, providing a clear framework for supplier assessments.

+

Clear Sustainability Criteria: Establish well-defined and comprehensive sustainability criteria that cover environmental, social, and economic aspects, providing a clear framework for supplier assessments.

+

Collaborative Standards: Engage with industry organizations, NGOs, or sustainability initiatives to leverage established standards and frameworks for supplier sustainability, ensuring alignment with recognized best practices.

+

Data Transparency: Encourage suppliers to provide transparent and accurate data on their sustainability practices, facilitating a more thorough and reliable assessment process.

+

Capacity Building Support: Offer training programs and resources to suppliers, enabling them to enhance their sustainability practices and meet the criteria set by the procurement organization.

+

Supply Chain Mapping: Implement supply chain mapping tools to gain visibility into the entire supply chain, allowing for a more comprehensive assessment of the environmental and social impacts associated with suppliers.

+

Risk Mitigation Strategies: Develop strategies to address identified sustainability risks within the supply chain, incorporating contingency plans and collaborative initiatives with suppliers to mitigate potential issues.

+

Continuous Monitoring: Implement ongoing monitoring mechanisms to track supplier sustainability performance over time, allowing for the identification of trends, areas for improvement, and recognition of exemplary practices.

+

Internal Accountability: Establish internal mechanisms and responsibilities within the procurement organization to ensure accountability for sustainability assessments, fostering a culture of commitment to responsible sourcing.

+

Supplier Feedback Loops: Create channels for open communication and feedback between procurement organizations and suppliers, encouraging a collaborative approach to sustainability improvement.

+

Technology Integration: Utilize advanced technologies, such as blockchain or digital platforms, to enhance transparency, traceability, and the efficiency of supplier sustainability assessments.

+

Diversity and Inclusion: Integrate diversity and inclusion criteria into supplier assessments, considering social aspects such as fair labor practices, gender equality, and community engagement.

+

Benchmarking and Recognition: Implement benchmarking mechanisms to compare supplier sustainability performance within the industry and recognize and reward top-performing suppliers.

+

Performance Incentives: Establish incentive structures that motivate suppliers to go beyond compliance and excel in sustainability, offering recognition, preferential treatment, or collaborative opportunities for high-performing suppliers.

+

Third-Party Verification: Consider engaging third-party organizations or auditors to verify and validate supplier sustainability claims, enhancing the credibility and reliability of the assessment process.

+

These additional conditions contribute to a more nuanced and comprehensive approach to supplier sustainability assessment within procurement organizations.

+

Collaborative Standards: Engage with industry organizations, NGOs, or sustainability initiatives to lever

","

Understanding whether suppliers are internalising sustainability risks is critical to identifying the risks they may expose a buyer’s business to.

+

As part of external analysis, review publicly available supplier information, or information shared in confidence by the supplier, (e.g. sustainability commitments, strategies, policies, codes of conduct) and create a simple table capturing evidence of the following:

+

• Material sustainability risk assessment linked to sourcing practices

+

• Environmental impact policies and prevention measures (e.g. climate, deforestation, water, nature)

+

• Human rights due diligence in the upstream supply chain, including:

+

o Conducting a human rights impact assessment

+

o Awareness and actions to prevent forced labour

+

o Awareness and actions to prevent child labour

+

o Living wage/income considerations

+

o Consideration of Free Prior Informed Consent regarding Indigenous Communities and land rights

","

1. Environmental Perspective:

+

Promotion of Sustainable Farming Practices: Supplier sustainability assessments encourage farmers to adopt sustainable practices to meet the criteria set by agri-food companies. This leads to environmental benefits such as reduced pesticide use, soil conservation, and biodiversity preservation.

+

Climate Resilience: Aligning with sustainable farming practices contributes to climate resilience, reducing environmental risks associated with extreme weather events and fostering long-term sustainability.

+

2. Income Perspective:

+

Access to Premium Markets: Farmers adhering to sustainability criteria in supplier assessments gain access to markets that prioritize sustainable sourcing. This can result in premium pricing for their products, contributing to increased income and improved profitability.

+

Cost Savings: Sustainable farming practices promoted by supplier sustainability assessments often lead to cost savings over time. This includes efficient resource use, reduced input costs, and increased overall efficiency.

+

3. Risk Perspective:

+

Market Viability: Supplier sustainability assessments ensure that farmers align with market expectations for environmentally and socially responsible practices. This enhances the market viability of their products, reducing the risk of market exclusion or loss of business opportunities.

+

Long-Term Viability: By meeting sustainability criteria, farmers contribute to their own long-term viability. This includes securing market access, adapting to changing consumer preferences, and reducing vulnerability to environmental risks.

+

4. Link to Procurement Organizations:

+

For farmers, the link to procurement organizations lies in their ability to meet the sustainability criteria set by agri-food companies. Procurement organizations play a central role in establishing and communicating these criteria, shaping the practices and behaviors of the farmers within the supply chain. This ensures that the entire supply chain, from farmers to end consumers, adheres to sustainability principles.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruption: To mitigate disruption risks, buyers should strategically diversify their supplier base, balancing sustainability criteria with the need for a resilient and varied supply chain.

+

Increased Costs: Buyers can negotiate with suppliers, emphasizing cost-effectiveness while encouraging sustainable practices to manage procurement expenses effectively.

+

Limited Supplier Innovation: Buyers should actively engage with smaller suppliers, fostering innovation by providing support and guidance to help them meet sustainability criteria.

+

Trade-offs

+

Cost vs. Sustainability: Buyers must strategically navigate the trade-off, making informed compromises to achieve both financial and environmental goals without compromising overall sustainability objectives.

+

Supplier Diversity vs. Sustainability: Achieving a balance between sustainability and supplier diversity requires careful consideration, especially in regions or industries where meeting sustainability standards may be challenging.

+

Time-to-Market vs. Sustainability: Buyers need to find a balance between selecting sustainable suppliers and meeting time-to-market goals, ensuring that sustainability efforts do not unduly extend procurement timelines.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers can manage financial strain by seeking collaborative partnerships with buyers, exploring cost-sharing models for sustainable investments to alleviate potential economic burdens.

+

Competitive Disadvantage: Suppliers with lower sustainability scores should focus on improving practices to avoid losing business opportunities, highlighting the value of sustainable offerings to remain competitive.

+

Compliance Challenges: Suppliers facing compliance challenges should engage with buyers to streamline diverse sustainability standards, ensuring a more manageable and efficient adherence process.

+

Trade-offs

+

Cost vs. Sustainability: Suppliers must strategically balance the trade-off, seeking innovative and cost-effective solutions to implement sustainable practices without compromising competitiveness.

+

Innovation vs. Compliance: Suppliers can navigate the trade-off by integrating sustainability into their innovation agenda, demonstrating that both innovation and compliance can coexist harmoniously.

+

Market Access vs. Sustainability: Suppliers targeting international markets must weigh the benefits of market access against the costs of adapting to sustainability requirements, aligning their strategies with evolving global standards.

",

Indirect

,

Indirect

,"1. https://www.thecasecentre.org/products/view?id=158170
+2. https://www.thecasecentre.org/products/view?id=106959
+3. https://www.thecasecentre.org/products/view?id=145470
+4. https://www.thecasecentre.org/products/view?id=170954
+5. https://www.thecasecentre.org/products/view?id=120895
+6. https://ccsi.columbia.edu/sites/default/files/content/pics/CCSI%20Responsible%20Coffee%20Sourcing%20Report.pdf
","['https://www.thecasecentre.org', 'https://www.thecasecentre.org/products/view?id=158170Definition +

Establish full traceability back to the origin of materials. This is critical to identifying environmental and human rights risks at the source, particularly at the farm level. Without this visibility, sustainability risks and strategic procurement decisions cannot be fully informed.

","

To implement effective Supply Chain Traceability in a procurement data analytics context, a procurement organization should focus on prerequisites such as establishing a robust data analytics infrastructure, formulating a clear integration strategy (e.g., Blockchain as an example), ensuring data standardization and interoperability, fostering collaboration with suppliers, utilizing transparent and immutable data records, encouraging cross-functional collaboration, investing in relevant education, implementing security and privacy measures, planning for scalability, complying with legal and regulatory requirements, and establishing continuous monitoring and improvement practices.

","

Establishing visibility of the full value chain is foundational to being able to identify risks and opportunities upon which to make strategic procurement decisions.

+

Building this visibility does not have to mean investing immediately in traceability software tools, it can start with the existing relationships you have with your direct suppliers. Questions that it may be helpful to start exploring with your direct suppliers are:

+

• How may tiers are in their supply chain? Do they know the countries these tiers are based in?

+

• Do they know where farm-level production is happening and the characteristics of this farming e.g. small holder, plantation, commercial farming?

+

• Does the supplier know whether and how their value chain is likely to evolve in the next five years? This can help surface whether the supply chain is stable or unstable.

+

Why are these questions relevant?

+

• The country of production and farm characteristics will impact the probability and severity of environmental and social risks

+

• Understanding whether and how a supply chain is expected to evolve in the next five years helps to surface whether there is instability in either the supply chain or the supplier’s approach to it.

+

• If a supplier has blind spots about their supply chain, this flags the possibility of material sustainability risks within their supply chain. The supplier may lack the capability or inclination to understand their own supply chain and take action to identify and mitigate risks within it. If the supplier lacks this ability, it will be harder for actors further down the value chain, e.g. manufacturers and retailers, to understand and mitigate their own risks.

+

Establishing and maintaining value chain visibility can help enable early identification or risks and proactive management of them.

","

Income Perspective

+

Market Access and Premium Pricing: Value chain visibility allows farmers to demonstrate the origin, quality, and sustainability of their produce, strengthening competitiveness. This can open access to new markets and premium pricing, increasing income.

+

Efficient Resource Allocation: Farmers can use visibility data to optimize production processes, reduce inefficiencies, and cut waste, improving profitability.

+

Environmental Perspective

+

Sustainable Agricultural Practices: Greater visibility across the value chain encourages farmers to adopt practices that align with buyer sustainability goals, such as reduced chemical use, efficient water management, and biodiversity protection.

+

Reduced Environmental Footprint: By leveraging data to minimize waste and use resources efficiently, farmers lower their environmental footprint and contribute to more responsible production systems.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing traceability measures, especially with advanced technologies, may lead to increased procurement costs, impacting the overall budget.

+

Data Security Concerns: Storing sensitive traceability data poses potential security risks, including data breaches or unauthorized access.

+

Supplier Resistance: Suppliers may resist sharing detailed information, fearing increased scrutiny or potential competitive disadvantages.

+

Trade-offs

+

Cost Efficiency vs. Enhanced Traceability: Buyers may face the trade-off between achieving cost efficiency in the supply chain and investing in enhanced traceability measures. Striking the right balance involves optimizing costs while ensuring transparency and traceability.

+

Complexity vs. Simplicity in Supply Chains: Buyers aiming for traceability may need to balance the complexity associated with detailed supply chain tracking and the simplicity required for streamlined operations. The challenge is to implement traceability without overly complicating processes.

+

Supplier Collaboration vs. Independence: Buyers may seek collaboration with suppliers for improved traceability, but this could conflict with the desire for supplier independence. The trade-off involves fostering collaboration while respecting supplier autonomy.

+

Risk Mitigation vs. Agility: Buyers may implement traceability for risk mitigation, but this could impact the agility of the supply chain. Striking the right balance involves managing risks while maintaining a flexible and responsive supply chain.

+

2. Supplier Perspective

+

Risks

+

Increased Reporting Burden: Suppliers may face additional reporting requirements, leading to increased administrative burdens and potential operational disruptions.

+

Technology Adoption Challenges: Suppliers may encounter challenges in adopting the required technologies for traceability, affecting their ability to comply.

+

Competitive Disadvantage: Suppliers may perceive that sharing detailed traceability data could lead to a competitive disadvantage in the marketplace.

+

Trade-offs

+

Investment in Technology vs. Cost Management: Suppliers may face the trade-off between investing in technology for traceability and managing overall costs. The challenge is to adopt traceability measures without significantly impacting the financial aspects of operations.

+

Transparency vs. Confidentiality: Suppliers providing traceability data may need to balance transparency with the need to protect confidential business information. The trade-off involves sharing relevant information while safeguarding proprietary details.

+

Regulatory Compliance vs. Market Competitiveness: Suppliers may need to comply with traceability regulations, but this could impact market competitiveness. Striking the right balance involves meeting regulatory requirements while remaining competitive in the marketplace.

+

Resource Allocation vs. Traceability Standards: Suppliers may allocate resources for meeting traceability standards, and this must be balanced against other operational needs. The trade-off involves optimizing resource allocation for both traceability compliance and overall efficiency.

",

Indirect

,

Indirect

,"

Based on old procurement framework of IDH and co-developmeent with Mars

+

Iterated by EY and based on interview process within the project

+

Evidence of clear supplier segmentation process in Mondelez Interview with CPO LATAM, more

",[],[], +26,Selecting a sustainability certification,"

Definition

+

Choose sustainability certifications that help meet corporate commitments and/or implement procurement goals. For some commodities, certified supplies are readily available.

","

To effectively implement Sustainable Agricultural Certification Premiums in procurement, prerequisites include establishing clear criteria, collaborating with certification bodies, educating suppliers, designing a transparent premium structure, implementing monitoring systems, ensuring financial capacity, complying with legal standards, promoting certification benefits, fostering stakeholder collaboration, and establishing a continuous improvement feedback loop. This systematic approach creates a conducive environment for successful premium programs, encouraging sustainable farming practices and supplier participation.

","

When is this a strategic choice?

+

When the value chain risk assessment has surfaced potential risks in the supply chain of certain commodities, and an existing sustainability certification exists than provides sufficient assurance that this risk is mitigated in the supply chain of certified goods.

+

What it means:

+

Sustainability certifications can provide assurance that certain impacts are being mitigated in the supply chain of a certain commodity. In some instances, sourcing certified goods can be a quicker and less costly alternative to mitigating environmental and social risks in the supply chain from scratch. Additionally, some downstream actors like brand manufacturers or retailers may require certain certifications to purchase from you, creating a commercial need to purchase certified goods.

+

Some commodities have existing certifications that provide assurance for known high-risk impacts. For example, the RSPO certification for palm oil focuses or the Rainforest Alliance certification for Cocoa provide assurance that deforestation is being mitigated in the supply chain. However, it is important to note that these certifications may not cover all risks in a supply chain. For the Cocoa supply chain, for example, more expensive and direct actions may be needed to ensure actions to mitigate against child labour risks.

+

It is important to assess whether the sustainability certification is fit to deliver the desired outcomes. This assessment may include:

+

o Checking the commodities in scope and availability in your current, potential, or future sourcing market of the certification scheme.

+

o Benchmarking and understanding sustainability certification schemes in terms of sustainability impacts addressed. The ITC standards map benchmarks the majority of sustainability standards.

+

o Governance of the standard is a key factor to understand; ISEAL members all have credible governance in place.

+

o Understanding the different chains of custody models; segregated or mass balance.

+

Watch out: As a business to ensure the continued impact of a certification scheme is aligned to delivering the impact identified in your strategic choice, this will require partnering closely with the certification scheme owner.

","

Income Perspective

+

Choosing the right certification can secure access to markets that reward sustainable production with better prices and stronger demand. Certification can also provide more stable buyer relationships and opportunities for higher sales and profits.

+

Environmental Perspective

+

Sustainability certifications guide farmers toward practices that improve soil, water, and biodiversity outcomes. Financial incentives and market rewards help offset the costs of adoption, making it more feasible to implement practices that deliver long term environmental benefits.

","

1. Buyer Perspective

+

Risks

+

Increased Costs: Implementing sustainable agricultural certification premiums may lead to higher procurement costs, impacting the buyer's budget.

+

Limited Supplier Pool: Stringent sustainability criteria may reduce the pool of eligible suppliers, potentially limiting sourcing options.

+

Complex Certification Processes: Suppliers may face challenges navigating complex certification processes, leading to delays or non-compliance.

+

Trade-offs

+

Sustainability vs. Cost Efficiency: Buyers may face the trade-off between supporting sustainable agricultural practices and maintaining cost efficiency in procurement. Striking the right balance involves integrating sustainability without compromising overall cost-effectiveness.

+

Premium Costs vs. Competitive Pricing: Buyers offering sustainable agricultural certification premiums may need to balance the costs associated with premiums against the need for competitive pricing. The trade-off involves supporting sustainability while remaining competitive in the market.

+

Supplier Diversity vs. Certification Requirements: Buyers aiming for supplier diversity may encounter the trade-off between fostering a diverse supplier base and ensuring compliance with specific certification requirements. The challenge is to balance diversity goals with certification standards.

+

Short-Term Costs vs. Long-Term Sustainability: Buyers must decide between incurring short-term premium costs for sustainable agricultural practices and realizing long-term sustainability benefits. Striking the right balance involves aligning short-term investment with broader sustainability objectives.

+

2. Supplier Perspective

+

Risks

+

Financial Strain: Adhering to sustainable agricultural practices for premium eligibility may strain suppliers financially, especially for smaller entities.

+

Competitive Disadvantage: Suppliers not meeting premium criteria may face a competitive disadvantage in bidding for contracts.

+

Risk of Unfair Evaluation: Suppliers may feel unfairly evaluated if certification processes are unclear or subject to frequent changes.

+

Trade-offs

+

Compliance Costs vs. Profitability: Suppliers may face the trade-off between incurring additional costs to meet sustainable certification requirements and maintaining overall profitability. The challenge is to manage compliance costs while ensuring a viable and profitable business model.

+

Market Access vs. Certification Investments: Suppliers must decide between investing in sustainable certifications for access to markets with stringent requirements and balancing these investments with other business needs. Striking the right balance involves meeting market demands while ensuring financial viability.

+

Resource Allocation vs. Certification Standards: Suppliers may need to allocate resources effectively to meet certification standards, but this must be balanced against the potential impacts on overall resource allocation. The trade-off involves optimizing resources for both certification compliance and operational efficiency.

+

Risk Mitigation vs. Market Competitiveness: Suppliers may prioritize risk mitigation through sustainable certifications but must balance this with remaining competitive in the market. The challenge involves managing risks while staying competitive in the procurement landscape.

",

Direct

,

Direct

,

With and beyond sustainability certification: Exploring inclusive business and solidarity economy strategies in Peru and Switzerland - ScienceDirect

,[],[], +27,Sustainable water management,"

Definition

+

Sustainable water management is the approach and actions taken to ensure that water is withdrawn, consumed and discharged in a sustainable way. It is particularly important in locations of water scarcity to ensure the supply chain, environment and dependent communities are not negatively impacted by water-related issues.

+

Make sustainable water management a strategic priority where water scarcity is identified through internal commitments or traceability to origins with limited water resources, impacting supply security.

","

1. Enabling Conditions for Sustainable Water Management in a Procurement Organization:

+

Sustainable Sourcing Policies: Development of procurement policies that prioritize and support the inclusion of products from suppliers practicing sustainable water management, emphasizing water efficiency and conservation.

+

Educational Initiatives: Implementation of educational programs for procurement professionals to enhance their understanding of sustainable water management practices and promote their integration into sourcing strategies.

+

Supplier Collaboration: Collaboration with suppliers committed to sustainable water management, fostering partnerships, and incentivizing the adoption of water-efficient practices within the supply chain.

+

Certification Standards: Utilization or establishment of certification standards that recognize and verify sustainable water management practices, ensuring authenticity and compliance in the procurement process.

+

Long-Term Contracts: Consideration of long-term contracts with suppliers practicing sustainable water management to promote stability and incentivize continued commitment to responsible water use.

+

2. Enabling Conditions for Sustainable Water Management on a Farm Level:

+

Water-Use Planning: Development of comprehensive water-use plans on farms, incorporating efficient irrigation methods, rainwater harvesting, and other sustainable water management practices.

+

Technical Support: Access to technical support and extension services to assist farmers in implementing effective water management practices, optimizing water use efficiency and minimizing waste.

+

Financial Incentives: Provision of financial incentives or favorable payment terms for farmers adopting sustainable water management practices, supporting their financial viability during the transition.

+

Water Conservation Technologies: Adoption of water-saving technologies, such as drip irrigation or soil moisture sensors, to enhance water efficiency on farms.

+

Community Engagement: Engagement with local communities and agricultural extension services to raise awareness of sustainable water management benefits, build support, and encourage widespread adoption.

+

For both procurement organizations and farmers, successful implementation of sustainable water management requires a commitment to efficient practices, collaborative relationships, ongoing education, and the integration of water conservation principles into the core of farming and procurement strategies.

","

When is this a strategic choice?

+

When you, as the buyer, have a clear understanding of current and future sourcing origins and recognise that without sustainable water management, there is a high risk of supply disruption. Water management may feature in internal commitments and/or the value chain risk assessment may have identified locations in the supply chain with limited water resources, negatively impacting supply security.

+

What it means:

+

• As a buyer you are confident you and/or your supplier is capable of engaging farmers and stakeholders at the catchment level to collectively monitor, manage, and invest in water resources to meet shared sustainability goals.

+

• As a buyer you are confident your supplier works with farm-level partners who can implement water management and stewardship actions, supported by appropriate technology and infrastructure for ongoing maintenance. For example, precision irrigation technologies that apply the right amount of water at the right time.

+

• As a buyer you are prepared to provide additional support where required, including investment capital.

+

• This approach relies on suppliers maintaining long-term, trust-based relationships with producers at the farm level.

","

1. Environmental Perspective:

+

Water Conservation: Sustainable water management practices, such as precision irrigation and rainwater harvesting, contribute to water conservation, ensuring the long-term availability of water resources.

+

Ecosystem Health: Responsible water usage supports the health of aquatic ecosystems and biodiversity, contributing to overall environmental sustainability.

+

2. Income Perspective:

+

Cost Savings: Water-efficient practices lead to cost savings for farmers by reducing expenses related to water use, such as energy costs for irrigation and investments in water infrastructure.

+

Market Access: Adopting sustainable water management practices may provide farmers with access to markets that prioritize sustainably produced goods, potentially leading to premium prices and increased income.

+

3. Risk Perspective:

+

Climate Resilience: Sustainable water practices enhance the resilience of farming operations to climate-related risks such as droughts or erratic rainfall patterns.

+

Regulatory Compliance: Adhering to sustainable water practices helps farmers comply with evolving water usage regulations, reducing the risk of legal and regulatory challenges.

+

4. Link to Procurement Organizations:

+

For farmers, procurement organizations are crucial in providing access to markets and resources. By supporting and incentivizing the adoption of sustainable water management practices, procurement organizations contribute to the sustainability and resilience of their suppliers. This integration ensures that the choices made at the procurement level align with environmental and sustainability goals, influencing the practices of farmers in the supply chain.

","

1. Buyer Perspective:

+

Risks

+

Supply Chain Disruptions: Buyers must address potential disruptions in the supply chain caused by changes in agricultural production due to sustainable water management, implementing strategies to ensure consistent product availability.

+

Higher Costs: Buyers need to manage potential increases in product prices resulting from the additional costs for suppliers practicing sustainable water management, seeking cost-effective procurement strategies.

+

Certification Challenges: Buyers should anticipate and address challenges related to ensuring adherence to sustainable water management certification standards, implementing robust monitoring and verification processes.

+

Trade-offs

+

Cost vs. Sustainability: Buyers should strategically balance potential cost implications of sustainable water management with the desire to support environmentally responsible sourcing practices, making procurement decisions that align with sustainability goals.

+

Consistency vs. Resource Conservation: Striking a balance between ensuring a consistent supply from traditional sources and the conservation of water resources through sustainable practices requires trade-offs, necessitating buyers to find an optimal mix that meets both stability and resource conservation.

+

2. Supplier Perspective:

+

Risks

+

Financial Strain: Suppliers implementing sustainable water management practices must address potential financial strain associated with higher initial costs, implementing financial planning strategies.

+

Transition Period Challenges: Suppliers need to manage challenges during the initial phases of adopting new water management practices, ensuring minimal impact on product yields and consistency.

+

Market Access Concerns: Suppliers may face challenges accessing markets that prioritize traditional, non-sustainable products, requiring strategic decisions to overcome barriers.

+

Trade-offs

+

Cost vs. Market Access: Suppliers may need to weigh the costs and challenges of implementing sustainable water management against potential market access and premium prices associated with sustainable practices, making decisions that align with long-term market strategies.

+

Innovation vs. Tradition: Allocating resources to adopt sustainable water management practices may divert attention and resources from traditional farming methods, requiring suppliers to find a balance that aligns with their innovation goals and traditional practices.

+

Crop Yield vs. Water Conservation: Balancing the desire for higher crop yields with the commitment to water conservation and sustainability may necessitate trade-offs, requiring suppliers to prioritize sustainability without compromising productivity goals.

",

Direct

,

Direct

,"1. https://www.worldwildlife.org/industries/sustainable-agriculture
+2. https://www.worldbank.org/en/topic/water-in-agriculture
+3. https://www.fao.org/3/i7959e/i7959e.pdf
+4. https://www.sciencedirect.com/science/article/abs/pii/S0959652619322346
+5. https://agupubs.onlinelibrary.wiley.com/doi/full/10.1002/2014WR016869
+6. https://www.nestle.com/sustainability/water/sustainable-water-efficiency-agriculture
","['https://www.worldwildlife.org', 'https://www.worldwildlife.org/industries/sustainable-agriculture=1.26.0 in /Users/galihpratama/Library/Python/3.13/lib/python/site-packages (from pandas) (2.3.4)\n", + "Requirement already satisfied: python-dateutil>=2.8.2 in /opt/homebrew/Cellar/jupyterlab/4.4.2_1/libexec/lib/python3.13/site-packages (from pandas) (2.9.0.post0)\n", + "Requirement already satisfied: pytz>=2020.1 in /Users/galihpratama/Library/Python/3.13/lib/python/site-packages (from pandas) (2025.2)\n", + "Requirement already satisfied: tzdata>=2022.7 in /Users/galihpratama/Library/Python/3.13/lib/python/site-packages (from pandas) (2025.2)\n", + "Requirement already satisfied: et-xmlfile in /Users/galihpratama/Library/Python/3.13/lib/python/site-packages (from openpyxl) (2.0.0)\n", + "Requirement already satisfied: six>=1.5 in /opt/homebrew/Cellar/jupyterlab/4.4.2_1/libexec/lib/python3.13/site-packages (from python-dateutil>=2.8.2->pandas) (1.17.0)\n", + "Note: you may need to restart the kernel to use updated packages.\n" + ] + } + ], + "source": [ + "pip install pandas openpyxl" + ] + }, + { + "cell_type": "markdown", + "id": "2dda94f9-4cb0-4b22-b6f3-f17cfccdafe5", + "metadata": {}, + "source": [ + "# 1. Configuration" + ] + }, + { + "cell_type": "code", + "execution_count": 2, + "id": "60c57018-f381-4782-9c46-7e3b13ba79ed", + "metadata": {}, + "outputs": [], + "source": [ + "import pandas as pd\n", + "import os\n", + "from pathlib import Path\n", + "import re\n", + "import requests\n", + "from concurrent.futures import ThreadPoolExecutor, as_completed" + ] + }, + { + "cell_type": "code", + "execution_count": 3, + "id": "b7f85246-3c2b-47df-95a1-74062d5d7423", + "metadata": {}, + "outputs": [], + "source": [ + "# Input and output setup\n", + "BASE_DIR = Path(\".\")\n", + "INPUT_FILE = BASE_DIR / \"USE-THIS _Sustainable Procurement Practices Library_Updated Changes_October 2025_1 to 5 ranking.xlsx\"\n", + "SHEET_NAME = \"Procurement Practices\"\n", + "OUTPUT_DIR = BASE_DIR / \"output\"\n", + "OUTPUT_DIR.mkdir(exist_ok=True)" + ] + }, + { + "cell_type": "code", + "execution_count": 4, + "id": "5af153cb-3a84-4418-bb69-888a01f4fd8e", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "📘 Loading file: USE-THIS _Sustainable Procurement Practices Library_Updated Changes_October 2025_1 to 5 ranking.xlsx\n", + "📄 Sheet: Procurement Practices\n", + "📂 Output dir: /Users/galihpratama/Sites/IDH-IDC/backend/source/transformer/procurement_library_v2_oct2025/output\n", + "\n" + ] + } + ], + "source": [ + "print(f\"📘 Loading file: {INPUT_FILE.name}\")\n", + "print(f\"📄 Sheet: {SHEET_NAME}\")\n", + "print(f\"📂 Output dir: {OUTPUT_DIR.resolve()}\\n\")" + ] + }, + { + "cell_type": "markdown", + "id": "23df25ef-c2ce-4c5f-a0b1-026e415d8ef7", + "metadata": {}, + "source": [ + "# 2. Load the Excel sheet (with multi-row header)" + ] + }, + { + "cell_type": "code", + "execution_count": 5, + "id": "76687597-4875-4164-b632-2dca9f153019", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "🔹 Loading Excel sheet with multi-row header...\n" + ] + } + ], + "source": [ + "print(\"🔹 Loading Excel sheet with multi-row header...\")\n", + "df_raw = pd.read_excel(INPUT_FILE, sheet_name=SHEET_NAME, header=[0, 1])" + ] + }, + { + "cell_type": "code", + "execution_count": 6, + "id": "2dcfdc95-30b4-4bad-9e6c-9c4aaa1c3c78", + "metadata": {}, + "outputs": [], + "source": [ + "# Define groups we want to keep\n", + "GROUP_HEADERS = [\n", + " \"Mapping to Sourcing Strategy Cycle\",\n", + " \"Mapping to Sustainable Procurement Principles\",\n", + " \"Mapping to Value Chain Actors\",\n", + "]" + ] + }, + { + "cell_type": "code", + "execution_count": 7, + "id": "1daf1058-99fc-4a40-852b-b9f66e11c1f6", + "metadata": {}, + "outputs": [], + "source": [ + "# Define the list of plain (non-grouped) columns that mark the start of practice data\n", + "PRACTICE_COLUMNS = [\n", + " \"Practice Intervention\",\n", + " \"Intervention Definition\",\n", + " \"Enabling Conditions\",\n", + " \"Practical Application for Sustainable Procurement Cost, Revenue, Risk\",\n", + " \"Farmer Rationale Income & Environement\",\n", + " \"Risks & Trade Offs\",\n", + " \"Intervention Impact Income\",\n", + " \"Intervention Impact Environment\",\n", + " \"Source / Evidence\",\n", + " \"Implementation Time\",\n", + " \"Implementation Cost / Effort\",\n", + " \"Income Impact\",\n", + " \"Environmental Impact\",\n", + "]" + ] + }, + { + "cell_type": "code", + "execution_count": 8, + "id": "fe304e2e-772b-4290-b573-0fb125ce68b5", + "metadata": {}, + "outputs": [], + "source": [ + "def clean_header_text(s: str) -> str:\n", + " \"\"\"Normalize header text by removing newlines, double spaces, etc.\"\"\"\n", + " if pd.isna(s):\n", + " return \"\"\n", + " s = re.sub(r\"[\\r\\n]+\", \" \", str(s))\n", + " s = re.sub(r\"\\s+\", \" \", s).strip()\n", + " return s" + ] + }, + { + "cell_type": "code", + "execution_count": 9, + "id": "ea3c21e6-a84a-4be2-9b03-0674504f903a", + "metadata": {}, + "outputs": [], + "source": [ + "# Smarter flattening logic\n", + "clean_cols = []\n", + "current_group = None\n", + "\n", + "for top, bottom in df_raw.columns:\n", + " top, bottom = clean_header_text(top), clean_header_text(bottom)\n", + "\n", + " # Detect start of group\n", + " if top in GROUP_HEADERS:\n", + " current_group = top\n", + "\n", + " # If this column belongs to the plain practice section, stop grouping\n", + " if bottom in PRACTICE_COLUMNS:\n", + " current_group = None\n", + "\n", + " # Handle Unnamed (empty) top header\n", + " if top.startswith(\"Unnamed\") or top == \"\":\n", + " if current_group:\n", + " clean_cols.append(f\"{current_group}|{bottom}\")\n", + " else:\n", + " clean_cols.append(bottom)\n", + " else:\n", + " # Normal grouped column\n", + " if current_group and (top in GROUP_HEADERS):\n", + " clean_cols.append(f\"{current_group}|{bottom}\")\n", + " else:\n", + " clean_cols.append(bottom)" + ] + }, + { + "cell_type": "code", + "execution_count": 10, + "id": "00f7e25a-8daa-4d10-805f-cababa65cb84", + "metadata": {}, + "outputs": [], + "source": [ + "# Final cleanup pass\n", + "df_raw.columns = [c.strip().replace(\" \", \" \") for c in clean_cols]" + ] + }, + { + "cell_type": "code", + "execution_count": 11, + "id": "e2a330ef-2af0-4c09-a161-d5d2798750c6", + "metadata": {}, + "outputs": [], + "source": [ + "# Drop any columns that start with 'Unnamed' (extra empty Excel columns)\n", + "df_raw = df_raw.loc[:, ~df_raw.columns.str.contains(\"^Unnamed\")]\n", + "\n", + "# Optional: trim spaces again just in case\n", + "df_raw.columns = df_raw.columns.str.strip()" + ] + }, + { + "cell_type": "code", + "execution_count": 12, + "id": "a42af9ec-b13a-4ccb-a198-b369095d90c4", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "✅ Final Cleaned Columns:\n", + "['Area', 'Mapping to Sourcing Strategy Cycle|Step 1 of Sourcing Strategy Cycle', 'Mapping to Sourcing Strategy Cycle|Step 2 of Sourcing Strategy Cycle2', 'Mapping to Sourcing Strategy Cycle|Step 3 of Sourcing Strategy Cycle3', 'Mapping to Sourcing Strategy Cycle|Step 4 of Sourcing Strategy Cycle4', 'Mapping to Sustainable Procurement Principles|1. Longer-term purchasing agreements', 'Mapping to Sustainable Procurement Principles|2. Improved payment terms and higher (farmgate) prices)', 'Mapping to Sustainable Procurement Principles|3. Develop and deepen equitable supply chain relationships', 'Mapping to Sustainable Procurement Principles|4. Improve efficiency and enhance transparency', 'Mapping to Sustainable Procurement Principles|5. Reduce volatility and risk for farmers', 'Mapping to Value Chain Actors|Farmer', 'Mapping to Value Chain Actors|Primary/ Secondary Processor', 'Mapping to Value Chain Actors|Trader', 'Mapping to Value Chain Actors|Manufacturer/ Processor', 'Mapping to Value Chain Actors|Retailer', 'Practice Intervention', 'Intervention Definition', 'Enabling Conditions', 'Practical Application for Sustainable Procurement Cost, Revenue, Risk', 'Farmer Rationale Income & Environement', 'Risks & Trade Offs', 'Intervention Impact Income', 'Intervention Impact Environment', 'Source / Evidence', 'Implementation Time', 'Implementation Cost / Effort', 'Income Impact', 'Environmental Impact']\n", + "✅ Loaded 52 rows.\n", + "\n" + ] + }, + { + "data": { + "text/html": [ + "
\n", + "\n", + "\n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + "
AreaMapping to Sourcing Strategy Cycle|Step 1 of Sourcing Strategy CycleMapping to Sourcing Strategy Cycle|Step 2 of Sourcing Strategy Cycle2Mapping to Sourcing Strategy Cycle|Step 3 of Sourcing Strategy Cycle3Mapping to Sourcing Strategy Cycle|Step 4 of Sourcing Strategy Cycle4Mapping to Sustainable Procurement Principles|1. Longer-term purchasing agreementsMapping to Sustainable Procurement Principles|2. Improved payment terms and higher (farmgate) prices)Mapping to Sustainable Procurement Principles|3. Develop and deepen equitable supply chain relationshipsMapping to Sustainable Procurement Principles|4. Improve efficiency and enhance transparencyMapping to Sustainable Procurement Principles|5. Reduce volatility and risk for farmers...Practical Application for Sustainable Procurement Cost, Revenue, RiskFarmer Rationale Income & EnvironementRisks & Trade OffsIntervention Impact IncomeIntervention Impact EnvironmentSource / EvidenceImplementation TimeImplementation Cost / EffortIncome ImpactEnvironmental Impact
0EnvironmentNaNNaNNaNXNaNNaNNaNxx...Agroecological Practices are most likely to em...Environmental Perspective:\\nSoil Health: A mix...1. Buyer Perspective:\\nRisks:\\nSupply Chain Co...DirectDirect1. https://environmentalevidencejournal.biomed...53.05.05.0
1IncomeXNaNNaNNaNNaNxNaNxNaN...Corporate or brand sustainability commitments ...Income Perspective\\nMarket Access and Fair Pri...1. Buyer Perspective:\\n\\nRisks:\\nMisalignment ...IndirectIndirectBased on old procurement framework of IDH and ...11.05.05.0
\n", + "

2 rows × 28 columns

\n", + "
" + ], + "text/plain": [ + " Area \\\n", + "0 Environment \n", + "1 Income \n", + "\n", + " Mapping to Sourcing Strategy Cycle|Step 1 of Sourcing Strategy Cycle \\\n", + "0 NaN \n", + "1 X \n", + "\n", + " Mapping to Sourcing Strategy Cycle|Step 2 of Sourcing Strategy Cycle2 \\\n", + "0 NaN \n", + "1 NaN \n", + "\n", + " Mapping to Sourcing Strategy Cycle|Step 3 of Sourcing Strategy Cycle3 \\\n", + "0 NaN \n", + "1 NaN \n", + "\n", + " Mapping to Sourcing Strategy Cycle|Step 4 of Sourcing Strategy Cycle4 \\\n", + "0 X \n", + "1 NaN \n", + "\n", + " Mapping to Sustainable Procurement Principles|1. Longer-term purchasing agreements \\\n", + "0 NaN \n", + "1 NaN \n", + "\n", + " Mapping to Sustainable Procurement Principles|2. Improved payment terms and higher (farmgate) prices) \\\n", + "0 NaN \n", + "1 x \n", + "\n", + " Mapping to Sustainable Procurement Principles|3. Develop and deepen equitable supply chain relationships \\\n", + "0 NaN \n", + "1 NaN \n", + "\n", + " Mapping to Sustainable Procurement Principles|4. Improve efficiency and enhance transparency \\\n", + "0 x \n", + "1 x \n", + "\n", + " Mapping to Sustainable Procurement Principles|5. Reduce volatility and risk for farmers \\\n", + "0 x \n", + "1 NaN \n", + "\n", + " ... Practical Application for Sustainable Procurement Cost, Revenue, Risk \\\n", + "0 ... Agroecological Practices are most likely to em... \n", + "1 ... Corporate or brand sustainability commitments ... \n", + "\n", + " Farmer Rationale Income & Environement \\\n", + "0 Environmental Perspective:\\nSoil Health: A mix... \n", + "1 Income Perspective\\nMarket Access and Fair Pri... \n", + "\n", + " Risks & Trade Offs \\\n", + "0 1. Buyer Perspective:\\nRisks:\\nSupply Chain Co... \n", + "1 1. Buyer Perspective:\\n\\nRisks:\\nMisalignment ... \n", + "\n", + " Intervention Impact Income Intervention Impact Environment \\\n", + "0 Direct Direct \n", + "1 Indirect Indirect \n", + "\n", + " Source / Evidence Implementation Time \\\n", + "0 1. https://environmentalevidencejournal.biomed... 5 \n", + "1 Based on old procurement framework of IDH and ... 1 \n", + "\n", + " Implementation Cost / Effort Income Impact Environmental Impact \n", + "0 3.0 5.0 5.0 \n", + "1 1.0 5.0 5.0 \n", + "\n", + "[2 rows x 28 columns]" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "print(\"✅ Final Cleaned Columns:\")\n", + "print(df_raw.columns.tolist())\n", + "print(f\"✅ Loaded {len(df_raw)} rows.\\n\")\n", + "\n", + "display(df_raw.head(2))" + ] + }, + { + "cell_type": "markdown", + "id": "7167fb5c-2f29-4893-b79c-3b7c90c49a52", + "metadata": {}, + "source": [ + "# 3. Define category mappings" + ] + }, + { + "cell_type": "code", + "execution_count": 13, + "id": "8ba5afc8-2ed2-4ed7-bd56-32e98c5ce9a5", + "metadata": {}, + "outputs": [], + "source": [ + "CATEGORY_MAP = {\n", + " # Sourcing Strategy Cycle\n", + " \"Mapping to Sourcing Strategy Cycle|Step 1 of Sourcing Strategy Cycle\": \"Sourcing Strategy Cycle - Step 1\",\n", + " \"Mapping to Sourcing Strategy Cycle|Step 2 of Sourcing Strategy Cycle2\": \"Sourcing Strategy Cycle - Step 2\",\n", + " \"Mapping to Sourcing Strategy Cycle|Step 3 of Sourcing Strategy Cycle3\": \"Sourcing Strategy Cycle - Step 3\",\n", + " \"Mapping to Sourcing Strategy Cycle|Step 4 of Sourcing Strategy Cycle4\": \"Sourcing Strategy Cycle - Step 4\",\n", + "\n", + " # Sustainable Procurement Principles\n", + " \"Mapping to Sustainable Procurement Principles|1. Longer-term purchasing agreements\": \"Sustainable Procurement Principle - 1. Longer-term purchasing agreements\",\n", + " \"Mapping to Sustainable Procurement Principles|2. Improved payment terms and higher (farmgate) prices)\": \"Sustainable Procurement Principle - 2. Improved payment terms and higher (farmgate) prices)\",\n", + " \"Mapping to Sustainable Procurement Principles|3. Develop and deepen equitable supply chain relationships\": \"Sustainable Procurement Principle - 3. Develop and deepen equitable supply chain relationships\",\n", + " \"Mapping to Sustainable Procurement Principles|4. Improve efficiency and enhance transparency\": \"Sustainable Procurement Principle - 4. Improve efficiency and enhance transparency\",\n", + " \"Mapping to Sustainable Procurement Principles|5. Reduce volatility and risk for farmers\": \"Sustainable Procurement Principle - 5. Reduce volatility and risk for farmers\",\n", + "\n", + " # Value Chain Actors\n", + " \"Mapping to Value Chain Actors|Farmer\": \"Value Chain Actor - Farmer\",\n", + " \"Mapping to Value Chain Actors|Primary/ Secondary Processor\": \"Value Chain Actor - Primary/ Secondary Processor\",\n", + " \"Mapping to Value Chain Actors|Trader\": \"Value Chain Actor - Trader\",\n", + " \"Mapping to Value Chain Actors|Manufacturer/ Processor\": \"Value Chain Actor - Manufacturer/ Processor\",\n", + " \"Mapping to Value Chain Actors|Retailer\": \"Value Chain Actor - Retailer\",\n", + "}" + ] + }, + { + "cell_type": "code", + "execution_count": 14, + "id": "e45e8d76-e000-4a34-8cab-64056ca94796", + "metadata": {}, + "outputs": [], + "source": [ + "SOURCING_STRATEGY_CYCLE_MAP = {\n", + " \"Step 1\": \"Step 1. Internal analysis\",\n", + " \"Step 2\": \"Step 2. External analysis\",\n", + " \"Step 3\": \"Step 3. Strategic choices\",\n", + " \"Step 4\": \"Step 4. Implementation\",\n", + "}" + ] + }, + { + "cell_type": "markdown", + "id": "cdbc6a8b-6011-403c-8a1c-2fea840918dd", + "metadata": {}, + "source": [ + "# 4. Normalize: extract categories, attributes, and practices" + ] + }, + { + "cell_type": "code", + "execution_count": 15, + "id": "472011b3-268d-4d48-9a3c-17b4e1558b46", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "🔹 Normalizing categories, attributes, and practices...\n" + ] + } + ], + "source": [ + "print(\"🔹 Normalizing categories, attributes, and practices...\")" + ] + }, + { + "cell_type": "code", + "execution_count": 16, + "id": "e351dc1c-00d8-4be1-b66a-29ef37bdff72", + "metadata": {}, + "outputs": [], + "source": [ + "def clean_indicator_name(label: str) -> str:\n", + " # Lowercase\n", + " name = label.lower()\n", + " # Replace special connectors\n", + " name = name.replace(\"&\", \"_and_\").replace(\"%\", \"_percent_\")\n", + " # Replace slashes and spaces\n", + " name = re.sub(r\"[\\/\\s]+\", \"_\", name)\n", + " # Remove punctuation and parentheses\n", + " name = re.sub(r\"[()\\\"',.:;!?]\", \"\", name)\n", + " # Collapse multiple underscores\n", + " name = re.sub(r\"_+\", \"_\", name)\n", + " # Trim trailing/leading underscores\n", + " name = name.strip(\"_\")\n", + " return name" + ] + }, + { + "cell_type": "code", + "execution_count": 17, + "id": "2715639d-b2e2-4dda-9215-fc80e39d96d5", + "metadata": {}, + "outputs": [], + "source": [ + "# Prepare lookup containers\n", + "categories, attributes, practices, practice_tags, indicators, scores = [], [], [], [], [], []" + ] + }, + { + "cell_type": "code", + "execution_count": 18, + "id": "6c594917-bedb-4dc7-9341-7e9389ef484b", + "metadata": {}, + "outputs": [], + "source": [ + "# Pre-create categories from CATEGORY_MAP (unique by prefix)\n", + "for cat_label in sorted(set(CATEGORY_MAP.values())):\n", + " prefix = cat_label.split(\" - \")[0].strip()\n", + " if not any(c[\"name\"] == prefix for c in categories):\n", + " categories.append({\"id\": len(categories) + 1, \"name\": prefix, \"description\": None})" + ] + }, + { + "cell_type": "code", + "execution_count": 19, + "id": "fec6d91a-30b6-45f3-9d76-ad771991e441", + "metadata": {}, + "outputs": [], + "source": [ + "# Build attributes (linked to categories)\n", + "for full_label in sorted(CATEGORY_MAP.values()):\n", + " splitted_full_label = full_label.split(\" - \")\n", + " prefix = splitted_full_label[0].strip()\n", + " suffix = splitted_full_label[1].strip()\n", + " \n", + " cat_id = next(c[\"id\"] for c in categories if c[\"name\"] == prefix)\n", + " \n", + " attributes.append({\n", + " \"id\": len(attributes) + 1,\n", + " \"category_id\": cat_id,\n", + " \"label\": full_label,\n", + " \"description\": None,\n", + " })" + ] + }, + { + "cell_type": "code", + "execution_count": 20, + "id": "99fb8918-a757-45a4-87ec-a2997882a18d", + "metadata": {}, + "outputs": [], + "source": [ + "def text_to_html(text):\n", + " \"\"\"Convert structured text into readable HTML with headings, links, and paragraphs.\"\"\"\n", + " if pd.isna(text) or str(text).strip() == \"\":\n", + " return \"\"\n", + " \n", + " lines = str(text).split(\"\\n\")\n", + " formatted_lines = []\n", + "\n", + " for line in lines:\n", + " line = line.strip()\n", + " if not line:\n", + " continue\n", + " \n", + " # Handle numbered/bullet lists\n", + " if re.match(r\"^\\d+\\.\\s\", line):\n", + " if \"http\" in line:\n", + " formatted_lines.append(f'{line}
')\n", + " else:\n", + " formatted_lines.append(f\"

{line}

\")\n", + "\n", + " # Convert titles to headings\n", + " elif any(keyword.lower() in line.lower() for keyword in [\n", + " \"definition:\", \"enabling conditions\", \"business rationale\",\n", + " \"farmer rationale\", \"risks:\", \"trade-offs:\"\n", + " ]):\n", + " if len(line) < 90:\n", + " formatted_lines.append(f\"

{line.replace(':', '')}

\")\n", + " else:\n", + " formatted_lines.append(f\"

{line}

\")\n", + "\n", + " # Convert URLs\n", + " elif re.search(r\"https?://\\S+\", line):\n", + " line = re.sub(r\"(https?://\\S+)\", r'\\1', line)\n", + " formatted_lines.append(f\"

{line}

\")\n", + "\n", + " # Bold label-value pairs\n", + " elif \":\" in line and not re.match(r\"^\\d+\\.\\s\", line):\n", + " parts = line.split(\":\", 1)\n", + " if len(parts) == 2 and parts[1].strip():\n", + " formatted_lines.append(f\"

{parts[0]}: {parts[1]}

\")\n", + " else:\n", + " formatted_lines.append(f\"

{line}

\")\n", + " else:\n", + " formatted_lines.append(f\"

{line}

\")\n", + " \n", + " return \"\\n\".join(formatted_lines)" + ] + }, + { + "cell_type": "code", + "execution_count": 21, + "id": "a102c4d5-e427-4b32-9be6-bc0128cb85a7", + "metadata": {}, + "outputs": [], + "source": [ + "# Build practice interventions\n", + "for _, row in df_raw.iterrows():\n", + " label = str(row.get(\"Practice Intervention\", \"\")).strip()\n", + " if not label or label.lower() == \"nan\":\n", + " continue\n", + "\n", + " practice = {\n", + " \"id\": len(practices) + 1,\n", + " \"label\": label,\n", + " \"intervention_definition\": text_to_html(row.get(\"Intervention Definition\")),\n", + " \"enabling_conditions\": text_to_html(row.get(\"Enabling Conditions\")),\n", + " \"business_rationale\": text_to_html(row.get(\"Practical Application for Sustainable Procurement Cost, Revenue, Risk\")),\n", + " \"farmer_rationale\": text_to_html(row.get(\"Farmer Rationale Income & Environement\")),\n", + " \"risks_n_trade_offs\": text_to_html(row.get(\"Risks & Trade Offs\")),\n", + " \"intervention_impact_income\": text_to_html(row.get(\"Intervention Impact Income\")),\n", + " \"intervention_impact_env\": text_to_html(row.get(\"Intervention Impact Environment\")),\n", + " \"source_or_evidence\": text_to_html(row.get(\"Source / Evidence\")),\n", + " }\n", + " practices.append(practice)\n", + "\n", + " # Handle tag links (X markers)\n", + " for col, full_label in CATEGORY_MAP.items():\n", + " val = str(row.get(col, \"\")).strip().lower()\n", + " if val in (\"x\", \"✓\"):\n", + " attr_id = next(a[\"id\"] for a in attributes if a[\"label\"] == full_label)\n", + " practice_tags.append({\n", + " \"practice_intervention_id\": practice[\"id\"],\n", + " \"attribute_id\": attr_id\n", + " })\n", + "\n", + " # Handle indicator scores\n", + " for indicator_name in [\n", + " \"Implementation Time\",\n", + " \"Implementation Cost / Effort\",\n", + " \"Income Impact\",\n", + " \"Environmental Impact\",\n", + " ]:\n", + " if pd.notna(row.get(indicator_name)):\n", + " # Create indicator if not exists\n", + " if not any(i[\"label\"] == indicator_name for i in indicators):\n", + " indicators.append({\n", + " \"id\": len(indicators) + 1,\n", + " \"name\": clean_indicator_name(indicator_name),\n", + " \"label\": indicator_name,\n", + " \"description\": None,\n", + " })\n", + " ind_id = next(i[\"id\"] for i in indicators if i[\"label\"] == indicator_name)\n", + " scores.append({\n", + " \"id\": len(scores) + 1,\n", + " \"practice_intervention_id\": practice[\"id\"],\n", + " \"indicator_id\": ind_id,\n", + " \"score\": float(row.get(indicator_name)),\n", + " })" + ] + }, + { + "cell_type": "code", + "execution_count": 22, + "id": "6b4b7de0-6b88-4113-86f8-2d0a09ee3403", + "metadata": {}, + "outputs": [], + "source": [ + "# -----------------------------------------------\n", + "# 1️⃣ Extract URLs from the source_or_evidence text\n", + "# -----------------------------------------------\n", + "def extract_urls_from_html(text):\n", + " \"\"\"Extract and clean URLs from text or HTML.\"\"\"\n", + " if pd.isna(text) or not text:\n", + " return []\n", + " urls = re.findall(r'(https?://\\S+|www\\.\\S+|\\S+\\.(?:com|org|net))', str(text))\n", + " clean_urls = []\n", + " for u in urls:\n", + " url = (\n", + " u.replace(\"href=\", \"\")\n", + " .replace('\"', \"\")\n", + " .replace(\"'\", \"\")\n", + " .replace(\"(\", \"\")\n", + " .replace(\")\", \"\")\n", + " .replace(\"\", \"\")\n", + " .split(\">\")[0]\n", + " )\n", + " if url.startswith(\"www.\"):\n", + " url = f\"http://{url}\"\n", + " clean_urls.append(url.strip())\n", + " return clean_urls" + ] + }, + { + "cell_type": "code", + "execution_count": 23, + "id": "6b1cad13-2a23-4ada-bd99-864e2545b883", + "metadata": {}, + "outputs": [], + "source": [ + "# -----------------------------------------------\n", + "# 2️⃣ Validate URLs (HTTP HEAD -> fallback GET)\n", + "# -----------------------------------------------\n", + "def get_status_code(url, timeout=5):\n", + " \"\"\"Return HTTP status code or None if unreachable.\"\"\"\n", + " try:\n", + " response = requests.head(url, allow_redirects=True, timeout=timeout)\n", + " return int(response.status_code)\n", + " except requests.RequestException:\n", + " try:\n", + " response = requests.get(url, allow_redirects=True, timeout=timeout)\n", + " return int(response.status_code)\n", + " except:\n", + " return None" + ] + }, + { + "cell_type": "code", + "execution_count": 24, + "id": "c8ade7a1-2d2c-47ab-b9da-bcf8f7535cff", + "metadata": {}, + "outputs": [], + "source": [ + "# -----------------------------------------------\n", + "# 3️⃣ Build dataframe from practices list\n", + "# -----------------------------------------------\n", + "df_practices = pd.DataFrame(practices)\n", + "\n", + "# Extract URLs per practice\n", + "df_practices[\"source_urls\"] = df_practices[\"source_or_evidence\"].apply(extract_urls_from_html)\n", + "\n", + "# Flatten all URLs for validation\n", + "urls_to_check = df_practices[\"source_urls\"].explode().dropna().unique().tolist()" + ] + }, + { + "cell_type": "code", + "execution_count": 25, + "id": "1270ea7f-c793-4537-a2a3-4286931888a4", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "🔍 Validating 91 unique URLs...\n" + ] + } + ], + "source": [ + "# -----------------------------------------------\n", + "# 4️⃣ Validate all unique URLs in parallel\n", + "# -----------------------------------------------\n", + "print(f\"🔍 Validating {len(urls_to_check)} unique URLs...\")\n", + "\n", + "url_status_map = {}\n", + "\n", + "with ThreadPoolExecutor(max_workers=10) as executor:\n", + " future_to_url = {\n", + " executor.submit(get_status_code, url): url for url in urls_to_check\n", + " }\n", + " for future in as_completed(future_to_url):\n", + " url = future_to_url[future]\n", + " url_status_map[url] = future.result()" + ] + }, + { + "cell_type": "code", + "execution_count": 26, + "id": "54c92ebb-4946-4abf-a6e1-2d94179ca717", + "metadata": {}, + "outputs": [], + "source": [ + "# -----------------------------------------------\n", + "# 5️⃣ Attach validation results to df_practices\n", + "# -----------------------------------------------\n", + "def map_status_list(url_list):\n", + " if not isinstance(url_list, list):\n", + " return []\n", + " return [url_status_map.get(u, None) for u in url_list]\n", + "\n", + "df_practices[\"source_urls_status\"] = df_practices[\"source_urls\"].apply(map_status_list)" + ] + }, + { + "cell_type": "code", + "execution_count": 27, + "id": "de369903-9a48-4812-a820-13fba4d028b5", + "metadata": {}, + "outputs": [], + "source": [ + "# -----------------------------------------------\n", + "# 6️⃣ Create readable summary columns\n", + "# -----------------------------------------------\n", + "def summarize_valid_urls(urls, statuses):\n", + " if not urls or not statuses:\n", + " return \"\"\n", + " return \", \".join(\n", + " [f\"{u} ({s})\" for u, s in zip(urls, statuses) if s and s < 400]\n", + " )\n", + "\n", + "df_practices[\"valid_source_urls\"] = df_practices.apply(\n", + " lambda r: summarize_valid_urls(r[\"source_urls\"], r[\"source_urls_status\"]),\n", + " axis=1\n", + ")" + ] + }, + { + "cell_type": "code", + "execution_count": 28, + "id": "516c427c-e732-4540-bb83-13c766faa976", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "✅ Validation complete — saved to ./output/practices_with_validated_sources.csv\n" + ] + }, + { + "data": { + "text/html": [ + "
\n", + "\n", + "\n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + " \n", + "
labelsource_or_evidencevalid_source_urls
0Agroecological Practices<a href=\"https://environmentalevidencejournal....https://environmentalevidencejournal.biomedcen...
1Incorporate Business Strategy Needs<p>Based on old procurement framework of IDH a...
2Buyer Sustainability Targets<p>IDH Based Interviews (Frank Joosten)</p>\\n<...
3Decarbonisation levers<a href=\"https://www.greenbiz.com/article/why-...https://www.greenbiz.com (200), https://www.gr...
4Comprehensive Value Chain Risk Assessment<a href=\"https://consult.defra.gov.uk/water/ru...https://consult.defra.gov.uk/water/rules-for-d...
\n", + "
" + ], + "text/plain": [ + " label \\\n", + "0 Agroecological Practices \n", + "1 Incorporate Business Strategy Needs \n", + "2 Buyer Sustainability Targets \n", + "3 Decarbonisation levers \n", + "4 Comprehensive Value Chain Risk Assessment \n", + "\n", + " source_or_evidence \\\n", + "0 Based on old procurement framework of IDH a... \n", + "2

IDH Based Interviews (Frank Joosten)

\\n<... \n", + "3
0, "No PLCategory records found" + + def test_total_attributes(self, app: FastAPI, session: Session): + total_attributes = session.query(PLAttribute).count() + assert total_attributes > 0, "No PLAttribute records found" + + def test_category_attribute_relationship(self, app: FastAPI, session: Session): + category = session.query(PLCategory).first() + assert category is not None, "No category found" + assert len(category.attributes) > 0, "Category has no related attributes" + + # ============================================================ + # INDICATORS & SCORES + # ============================================================ + def test_total_indicators(self, app: FastAPI, session: Session): + total_indicators = session.query(PLIndicator).count() + assert total_indicators > 0, "No PLIndicator records found" + + def test_total_indicator_scores(self, app: FastAPI, session: Session): + total_scores = session.query(PLPracticeInterventionIndicatorScore).count() + assert total_scores > 0, "No PLPracticeInterventionIndicatorScore records found" + + def test_indicator_score_relationship(self, app: FastAPI, session: Session): + score = session.query(PLPracticeInterventionIndicatorScore).first() + assert score.indicator is not None, "Indicator relationship not loaded" + assert score.practice_intervention is not None, "PracticeIntervention relationship not loaded" + + # ============================================================ + # PRACTICES & TAGS + # ============================================================ + def test_total_practices(self, app: FastAPI, session: Session): + total_practices = session.query(PLPracticeIntervention).count() + assert total_practices > 0, "No PLPracticeIntervention records found" + + def test_total_tags(self, app: FastAPI, session: Session): + total_tags = session.query(PLPracticeInterventionTag).count() + assert total_tags > 0, "No PLPracticeInterventionTag records found" + + def test_practice_tag_relationship(self, app: FastAPI, session: Session): + practice = session.query(PLPracticeIntervention).first() + assert practice is not None, "No practice found" + assert len(practice.tags) > 0, "Practice has no related tags" + + # ============================================================ + # COMPUTED PROPERTIES + # ============================================================ + def test_is_environmental_and_is_income_flags(self, app: FastAPI, session: Session): + practice = session.query(PLPracticeIntervention).first() + assert isinstance(practice.is_environmental, bool) + assert isinstance(practice.is_income, bool) + + def test_procurement_processes_property(self, app: FastAPI, session: Session): + practice = session.query(PLPracticeIntervention).first() + processes = practice.procurement_processes + assert isinstance(processes, list), "procurement_processes must return a list" + + def test_serialize_structure(self, app: FastAPI, session: Session): + practice = session.query(PLPracticeIntervention).first() + data = practice.serialize + expected_keys = { + "id", + "label", + "procurement_processes", + "is_environmental", + "is_income", + "scores", + "created_at", + "updated_at", + } + assert expected_keys.issubset(set(data.keys())), "serialize() missing required fields" + + # ============================================================ + # ATTRIBUTE SERIALIZE TEST + # ============================================================ + def test_attribute_serialize_output(self, app: FastAPI, session: Session): + attr = session.query(PLAttribute).first() + data = attr.serialize + assert "id" in data and "label" in data, "Attribute serialize missing fields" + if attr.category: + assert isinstance(data["category"], dict), "Expected dict for category in serialize" diff --git a/backend/tests/test_1021_pl_category_api_v2.py b/backend/tests/test_1021_pl_category_api_v2.py new file mode 100644 index 00000000..4463c8dc --- /dev/null +++ b/backend/tests/test_1021_pl_category_api_v2.py @@ -0,0 +1,83 @@ +import pytest +import sys +from fastapi import FastAPI +from httpx import AsyncClient +from sqlalchemy.orm import Session + +from models.procurement_library_v2.pl_models import PLCategory + +sys.path.append("..") + + +class TestProcurementLibraryV2CategoryRoutes: + # ============================================================ + # /plv2/category/attributes — GET all categories with attributes + # ============================================================ + @pytest.mark.asyncio + async def test_get_categories_with_attributes( + self, app: FastAPI, session: Session, client: AsyncClient + ): + # Fetch data directly from DB for comparison + db_categories = session.query(PLCategory).all() + total_categories = len(db_categories) + + res = await client.get( + app.url_path_for("plv2:get_cattegory_with_attributes")) + assert res.status_code == 200 + + res_json = res.json() + assert isinstance(res_json, list), "Response should be a list" + assert len(res_json) == total_categories + + # Validate one example structure + if total_categories > 0: + category = res_json[0] + expected_category_keys = { + "id", + "name", + "attributes", + } + assert expected_category_keys.issubset( + category.keys() + ), "Category response missing expected fields" + + # Check nested attributes + attributes = category["attributes"] + assert isinstance(attributes, list) + if attributes: + attr = attributes[0] + expected_attr_keys = { + "id", + "label", + } + assert expected_attr_keys.issubset( + attr.keys() + ), "Attribute response missing expected fields" + + # ============================================================ + # /plv2/category/attributes — Ensure attributes belong to the right category + # ============================================================ + @pytest.mark.asyncio + async def test_category_attributes_match_db( + self, app: FastAPI, session: Session, client: AsyncClient + ): + # Fetch one category from DB that has attributes + category = ( + session.query(PLCategory) + .join(PLCategory.attributes) + .first() + ) + if not category: + pytest.skip("No category with attributes found in DB") + + res = await client.get( + app.url_path_for("plv2:get_cattegory_with_attributes")) + assert res.status_code == 200 + + res_json = res.json() + found_cat = next((c for c in res_json if c["id"] == category.id), None) + assert found_cat is not None, "Category not found in API response" + + db_attr_ids = {a.id for a in category.attributes} + api_attr_ids = {a["id"] for a in found_cat["attributes"]} + assert db_attr_ids == api_attr_ids, "Mismatch between DB and API attributes" diff --git a/backend/tests/test_1030_pl_practices_api_v2.py b/backend/tests/test_1030_pl_practices_api_v2.py new file mode 100644 index 00000000..853785bd --- /dev/null +++ b/backend/tests/test_1030_pl_practices_api_v2.py @@ -0,0 +1,196 @@ +import pytest +import sys +from fastapi import FastAPI +from httpx import AsyncClient +from sqlalchemy.orm import Session + +from models.procurement_library_v2.pl_models import ( + PLPracticeIntervention, + PLAttribute, + PLIndicator, +) + +sys.path.append("..") + + +class TestProcurementLibraryV2PracticeRoutes: + # ============================================================ + # /plv2/practices — GET all practices + # ============================================================ + @pytest.mark.asyncio + async def test_get_all_practices( + self, app: FastAPI, session: Session, client: AsyncClient + ): + res = await client.get(app.url_path_for("plv2:get_all_practices")) + assert res.status_code == 200 + res_json = res.json() + + assert "current" in res_json + assert "total" in res_json + assert "total_page" in res_json + assert "data" in res_json + assert isinstance(res_json["data"], list) + + if res_json["total"] > 0: + practice = res_json["data"][0] + expected_keys = { + "id", + "label", + "procurement_processes", + "is_environmental", + "is_income", + "scores", + "created_at", + "updated_at", + } + assert expected_keys.issubset(practice.keys()), "Response missing required fields" + + # ============================================================ + # /plv2/practices?search=... + # ============================================================ + @pytest.mark.asyncio + async def test_get_all_practices_with_search( + self, app: FastAPI, session: Session, client: AsyncClient + ): + search = "soil" + res = await client.get( + app.url_path_for("plv2:get_all_practices"), params={"search": search} + ) + assert res.status_code == 200 + res_json = res.json() + assert res_json["total"] > 0 + + # ============================================================ + # /plv2/practices?impact_area=... + # ============================================================ + @pytest.mark.asyncio + async def test_get_practices_with_impact_area_filter( + self, app: FastAPI, session: Session, client: AsyncClient + ): + # Try with one of the known impact areas (income or environmental) + indicator = session.query(PLIndicator).filter( + PLIndicator.name.in_(["income_impact", "environmental_impact"]) + ).first() + if not indicator: + pytest.skip("No impact indicator found in DB") + + res = await client.get( + app.url_path_for("plv2:get_all_practices"), + params={"impact_area": indicator.name}, + ) + assert res.status_code == 200 + res_json = res.json() + + assert "data" in res_json + assert isinstance(res_json["data"], list) + + # Optionally check that the filter works (non-empty or logically consistent) + if res_json["data"]: + assert any( + p["is_environmental"] or p["is_income"] + for p in res_json["data"] + ), "Expected impact area practices but found none" + + # ============================================================ + # /plv2/practices?sourcing_strategy_cycle=... + # ============================================================ + @pytest.mark.asyncio + async def test_get_practices_with_sourcing_strategy_cycle_filter( + self, app: FastAPI, session: Session, client: AsyncClient + ): + attr = session.query(PLAttribute).first() + if not attr: + pytest.skip("No attribute found in DB") + + res = await client.get( + app.url_path_for("plv2:get_all_practices"), + params={"sourcing_strategy_cycle": attr.id}, + ) + assert res.status_code == 200 + res_json = res.json() + assert "data" in res_json + assert isinstance(res_json["data"], list) + + # ============================================================ + # /plv2/practices?procurement_principles=... + # ============================================================ + @pytest.mark.asyncio + async def test_get_practices_with_procurement_principles_filter( + self, app: FastAPI, session: Session, client: AsyncClient + ): + attr = session.query(PLAttribute).first() + if not attr: + pytest.skip("No attribute found in DB") + + res = await client.get( + app.url_path_for("plv2:get_all_practices"), + params={"procurement_principles": attr.id}, + ) + assert res.status_code == 200 + res_json = res.json() + assert "data" in res_json + assert isinstance(res_json["data"], list) + + # ============================================================ + # Combined filters (impact_area + attribute filters) + # ============================================================ + @pytest.mark.asyncio + async def test_get_practices_with_combined_filters( + self, app: FastAPI, session: Session, client: AsyncClient + ): + indicator = session.query(PLIndicator).filter( + PLIndicator.name.in_(["income_impact", "environmental_impact"]) + ).first() + attr = session.query(PLAttribute).first() + + if not (indicator and attr): + pytest.skip("Missing data for combined filter test") + + res = await client.get( + app.url_path_for("plv2:get_all_practices"), + params={ + "impact_area": indicator.name, + "sourcing_strategy_cycle": attr.id, + "procurement_principles": attr.id, + }, + ) + assert res.status_code == 200 + res_json = res.json() + assert "data" in res_json + assert isinstance(res_json["data"], list) + assert "total" in res_json + + # ============================================================ + # /plv2/practice/{id} + # ============================================================ + @pytest.mark.asyncio + async def test_get_practice_by_id( + self, app: FastAPI, session: Session, client: AsyncClient + ): + practice = session.query(PLPracticeIntervention).first() + assert practice, "No practice found in DB for test" + res = await client.get( + app.url_path_for("plv2:get_detail_by_practice_id", practice_id=practice.id) + ) + assert res.status_code == 200 + res_json = res.json() + + expected_keys = { + 'id', 'label', 'procurement_processes', 'is_environmental', 'is_income', 'scores', 'created_at', 'updated_at' + } + assert expected_keys.issubset(res_json.keys()), "Detail response missing fields" + assert res_json["id"] == practice.id + + # ============================================================ + # /plv2/practice/{id} — not found + # ============================================================ + @pytest.mark.asyncio + async def test_get_practice_by_id_not_found( + self, app: FastAPI, session: Session, client: AsyncClient + ): + invalid_id = 999999 + res = await client.get( + app.url_path_for("plv2:get_detail_by_practice_id", practice_id=invalid_id) + ) + assert res.status_code == 404 + assert res.json() == {"detail": "Practice not found"} diff --git a/frontend/src/App.js b/frontend/src/App.js index 9a3844f9..e3109f2a 100644 --- a/frontend/src/App.js +++ b/frontend/src/App.js @@ -21,7 +21,7 @@ import { Company, CompanyForm, } from "./pages/admin"; -import { UserState, UIState } from "./store"; +import { UserState, UIState, PLState } from "./store"; import { api } from "./lib"; import { adminRole, PROD_HOST } from "./store/static"; import { ExploreStudiesPage } from "./pages/explore-studies"; @@ -46,6 +46,8 @@ const optionRoutes = [ "company/having_case_options", ]; +const PLOptionRoutes = ["plv2/category/attributes"]; + const ScrollToTop = () => { const { pathname } = useLocation(); @@ -89,6 +91,24 @@ const App = () => { }); }, []); + // PL Related State + useEffect(() => { + const PLOptionRoutesptionApiCalls = PLOptionRoutes.map((url) => + api.get(url) + ); + Promise.all(PLOptionRoutesptionApiCalls) + .then((res) => { + const [catAttrRes] = res; + PLState.update((s) => { + s.categoryWithAttributes = catAttrRes.data; + }); + }) + .catch((e) => { + console.error(e); + }); + }, []); + // EOL PL Related State + const authTokenAvailable = useMemo(() => { const res = cookies?.AUTH_TOKEN && cookies?.AUTH_TOKEN !== "undefined"; if (res) { diff --git a/frontend/src/assets/icons/procurement-library/colorize-implementation.png b/frontend/src/assets/icons/procurement-library/colorize-implementation.png new file mode 100644 index 00000000..30350336 Binary files /dev/null and b/frontend/src/assets/icons/procurement-library/colorize-implementation.png differ diff --git a/frontend/src/assets/icons/procurement-library/colorized-external-analysis.png b/frontend/src/assets/icons/procurement-library/colorized-external-analysis.png new file mode 100644 index 00000000..8d726fc4 Binary files /dev/null and b/frontend/src/assets/icons/procurement-library/colorized-external-analysis.png differ diff --git a/frontend/src/assets/icons/procurement-library/colorized-internal-analysis.png b/frontend/src/assets/icons/procurement-library/colorized-internal-analysis.png new file mode 100644 index 00000000..3ebb485e Binary files /dev/null and b/frontend/src/assets/icons/procurement-library/colorized-internal-analysis.png differ diff --git a/frontend/src/assets/icons/procurement-library/colorized-strategic-choices.png b/frontend/src/assets/icons/procurement-library/colorized-strategic-choices.png new file mode 100644 index 00000000..833578e4 Binary files /dev/null and b/frontend/src/assets/icons/procurement-library/colorized-strategic-choices.png differ diff --git a/frontend/src/assets/icons/procurement-library/environment.png b/frontend/src/assets/icons/procurement-library/environment.png new file mode 100644 index 00000000..e7024273 Binary files /dev/null and b/frontend/src/assets/icons/procurement-library/environment.png differ diff --git a/frontend/src/assets/icons/procurement-library/income.png b/frontend/src/assets/icons/procurement-library/income.png new file mode 100644 index 00000000..f4edcfbc Binary files /dev/null and b/frontend/src/assets/icons/procurement-library/income.png differ diff --git a/frontend/src/pages/procurement-library-v2/components/ImpactAreaIcons.js b/frontend/src/pages/procurement-library-v2/components/ImpactAreaIcons.js index d9f37e3d..19832127 100644 --- a/frontend/src/pages/procurement-library-v2/components/ImpactAreaIcons.js +++ b/frontend/src/pages/procurement-library-v2/components/ImpactAreaIcons.js @@ -1,6 +1,7 @@ import React from "react"; import { Space, Tooltip } from "antd"; -import { DollarSignIcon, LeafIcon } from "../../../lib/icon"; +import EnvironmentIcon from "../../../assets/icons/procurement-library/environment.png"; +import IncomeIcon from "../../../assets/icons/procurement-library/income.png"; import "./impact-area-icons.scss"; const ImpactAreaIcons = ({ isEnv = false, isIncome = false }) => { @@ -10,14 +11,14 @@ const ImpactAreaIcons = ({ isEnv = false, isIncome = false }) => { {isEnv && ( - + environmental impact )} {isIncome && ( - + farmer income )} diff --git a/frontend/src/pages/procurement-library-v2/components/impact-area-icons.scss b/frontend/src/pages/procurement-library-v2/components/impact-area-icons.scss index 55d601be..ea8a3034 100644 --- a/frontend/src/pages/procurement-library-v2/components/impact-area-icons.scss +++ b/frontend/src/pages/procurement-library-v2/components/impact-area-icons.scss @@ -17,5 +17,10 @@ color: #0098ff; background-color: #eaf7ff; } + + img { + width: 24px !important; + height: 24px !important; + } } } diff --git a/frontend/src/pages/procurement-library-v2/config.js b/frontend/src/pages/procurement-library-v2/config.js index aa382c1a..0be6e121 100644 --- a/frontend/src/pages/procurement-library-v2/config.js +++ b/frontend/src/pages/procurement-library-v2/config.js @@ -10,6 +10,12 @@ import ExternalAnalysisIcon from "../../assets/icons/procurement-library/externa import StrategicChoicesIcon from "../../assets/icons/procurement-library/strategic-choices.png"; import ImplementationIcon from "../../assets/icons/procurement-library/implementation.png"; import CheckIconSvg from "../../assets/icons/procurement-library/check.svg"; +import InternalAnalysisIconColor from "../../assets/icons/procurement-library/colorized-internal-analysis.png"; +import ExternalAnalysisIconColor from "../../assets/icons/procurement-library/colorized-external-analysis.png"; +import StrategicChoiceIconColor from "../../assets/icons/procurement-library/colorized-strategic-choices.png"; +import ImplementationIconColor from "../../assets/icons/procurement-library/colorize-implementation.png"; +import EnvironmentIcon from "../../assets/icons/procurement-library/environment.png"; +import IncomeIcon from "../../assets/icons/procurement-library/income.png"; export const LIMIT_RESULT = 15; @@ -90,6 +96,11 @@ export const PROCUREMENT_SCALE = [ }, ]; +export const PROCUREMENT_CATEGORIES_ID = { + sourcing_strategy_cycle: 1, + procurement_principles: 2, +}; + export const PROCUREMENT_COLOR_SCALE = [ "#FF010E", "#FF8754", @@ -597,3 +608,53 @@ export const TOTAL_COST_OF_OWNERSHIP_CHART_TEXT_CONTENT = [ "Weaker supplier relationships - missing out on value creation opportunities and innovation as suppliers do not view the buyer as a strategic partner.", "The visual provides a high-level example of how strategically integrating and investing in sustainability in sourcing can result in lower costs overall when considering the value chain holistically.", ]; + +export const SEARCHBOX_ICONS = [ + { + name: "Internal Analysis", + icon: InternalAnalysisIconColor, + }, + { + name: "External Analysis", + icon: ExternalAnalysisIconColor, + }, + { + name: "Strategic Choice", + icon: StrategicChoiceIconColor, + }, + { + name: "Implementation", + icon: ImplementationIconColor, + }, + { + name: "Environment", + icon: EnvironmentIcon, + }, + { + name: "Income", + icon: IncomeIcon, + }, +]; + +export const SOURCING_STRATEGY_CYCLE_COLORS = [ + // internal + { + backgroundColor: "#EAF2F2", + shadowColor: "#01625F", + }, + // external + { + backgroundColor: "#FFF2EA", + shadowColor: "#FF5D00", + }, + // strategic + { + backgroundColor: "#F0FCF5", + shadowColor: "#48D985", + }, + // implementation + { + backgroundColor: "#EAF7FF", + shadowColor: "#0098FF", + }, +]; diff --git a/frontend/src/pages/procurement-library-v2/intervention-library/InterventionLibrary.js b/frontend/src/pages/procurement-library-v2/intervention-library/InterventionLibrary.js index 6dee936c..fbdeaa39 100644 --- a/frontend/src/pages/procurement-library-v2/intervention-library/InterventionLibrary.js +++ b/frontend/src/pages/procurement-library-v2/intervention-library/InterventionLibrary.js @@ -1,94 +1,167 @@ -import React, { useCallback, useEffect, useState } from "react"; +import React, { useCallback, useEffect, useState, useMemo } from "react"; import { Divider, Form, Input, List, - Popover, Select, Space, Spin, Tag, - Tooltip, + Breadcrumb, } from "antd"; import { Link, useNavigate } from "react-router-dom"; import InfiniteScroll from "react-infinite-scroll-component"; import { ArrowRight, SearchIcon } from "../../../lib/icon"; import { api } from "../../../lib"; -import { ImpactAreaIcons, ProcurementBadge } from "../components"; +import { ImpactAreaIcons } from "../components"; import "./intervention-library.scss"; -import { IMPACT_AREA_OPTIONS } from "../config"; +import { + IMPACT_AREA_OPTIONS, + PROCUREMENT_CATEGORIES_ID, + SEARCHBOX_ICONS, + SOURCING_STRATEGY_CYCLE_COLORS, +} from "../config"; import { PLState } from "../../../store"; import { Blocker } from "../../../components/utils"; import { useWindowDimensions } from "../../../hooks"; +import { HomeOutlined, RightOutlined } from "@ant-design/icons"; +import { isEmpty, orderBy } from "lodash"; + +const PAGE_SIZE = 100; +const breadcrumbItems = [ + { + key: "/home", + title: "Home", + active: false, + }, + { key: "/procurement-library", title: "Procurement Library", active: false }, + { + key: "/procurement-library/intervention-library", + title: "Intervention Library", + active: true, + }, +]; -const PAGE_SIZE = 12; const { useForm } = Form; const InterventionLibrary = () => { const [loading, setLoading] = useState(true); const [page, setPage] = useState(1); - const [practices, setPractices] = useState([]); + const [practiceByAttributes, setPracticesByAttributes] = useState({}); const [total, setTotal] = useState(0); - const [procurementProcesses, setProcurementProcesses] = useState([]); - const filter = PLState.useState((s) => s.filter); + const filter = PLState.useState((s) => s.filterV2); + const categoryWithAttributes = PLState.useState( + (s) => s.categoryWithAttributes + ); const [form] = useForm(); const navigate = useNavigate(); const { isMobile } = useWindowDimensions(); - const fetchProcurementProcesses = useCallback(async () => { - try { - const { data } = await api.get("/pl/procurement-processes"); - setProcurementProcesses( - data.map((proc) => ({ - value: proc.id, - label: proc.label, - })) - ); - } catch (err) { - console.error(err); - } - }, []); + console.info(total); + + const isAllPraticesByAttributeHasNoData = useMemo(() => { + const values = Object.values(practiceByAttributes); + const isNull = values.map((x) => { + return !x?.data?.length; + }); + return isNull.filter((x) => x)?.length === values?.length; + }, [practiceByAttributes]); + + const sourcingStragegyCycleOptions = useMemo( + () => + categoryWithAttributes + .find( + (attr) => + attr.id === PROCUREMENT_CATEGORIES_ID.sourcing_strategy_cycle + ) + ?.attributes?.map((it) => ({ label: it.label, value: it.id })), + [categoryWithAttributes] + ); + + const procurementPrincipleOptions = useMemo( + () => + categoryWithAttributes + .find( + (attr) => attr.id === PROCUREMENT_CATEGORIES_ID.procurement_principles + ) + ?.attributes?.map((it) => ({ label: it.label, value: it.id })), + [categoryWithAttributes] + ); const fetchData = useCallback( async (resetPage = false) => { try { - if (!loading) { + if (!loading || !sourcingStragegyCycleOptions?.length) { return; } - let apiURL = `/pl/practices?limit=${PAGE_SIZE}`; - if (filter?.search) { - apiURL += `&search=${filter.search}`; - } - if (filter?.procurement_process_ids) { - apiURL += `&procurement_process_ids=${filter.procurement_process_ids.join( - "," - )}`; - } - if (filter?.impact_area) { - apiURL += `&impact_area=${filter.impact_area}`; - } - - apiURL += resetPage ? "&page=1" : `&page=${page}`; - const { data: apiData } = await api.get(apiURL); - const { current, total: _total, data } = apiData; + const urls = orderBy(sourcingStragegyCycleOptions, "value").map( + ({ value: attributeId }) => { + let apiURL = `/plv2/practices-by-attribute/${attributeId}?limit=${PAGE_SIZE}`; + if (filter?.search) { + apiURL += `&search=${filter.search}`; + } + if (filter?.impact_area) { + apiURL += `&impact_area=${filter.impact_area}`; + } + if (filter?.sourcing_strategy_cycle) { + apiURL += `&sourcing_strategy_cycle=${filter.sourcing_strategy_cycle}`; + } + if (filter.procurement_principles) { + apiURL += `&procurement_principles=${filter.procurement_principles}`; + } + apiURL += resetPage ? "&page=1" : `&page=${page}`; + return api.get(apiURL); + } + ); - setPractices((prev) => (page === 1 ? data : [...prev, ...data])); - setPage(current); - setTotal(_total); - setLoading(false); + Promise.all(urls) + .then((res) => { + const [step1, step2, step3, step4] = res; + setPracticesByAttributes((prev) => ({ + ...prev, + 1: step1.data, + 2: step2.data, + 3: step3.data, + 4: step4.data, + })); + }) + .catch((e) => { + console.error(e); + }) + .finally(() => { + setPage(1); + setTotal(100); + setLoading(false); + }); } catch (err) { console.error(err); setLoading(false); } }, - [loading, page, filter] + [loading, page, filter, sourcingStragegyCycleOptions] ); const handleOnFinish = (payload) => { PLState.update((s) => { - s.filter = payload; + s.filterV2 = payload; + }); + setPage(1); + setLoading(true); + fetchData(true); + }; + + const handleRefreshSearch = () => { + const def = { + search: "", + impact_area: null, + sourcing_strategy_cycle: null, + procurement_principles: null, + }; + form.setFieldsValue(def); + PLState.update((s) => { + s.filterV2 = def; }); setPage(1); setLoading(true); @@ -99,82 +172,211 @@ const InterventionLibrary = () => { fetchData(); }, [fetchData]); - useEffect(() => { - fetchProcurementProcesses(); - }, [fetchProcurementProcesses]); - if (isMobile) { return ; } + const PracticeList = () => ( +
+ {!isEmpty(practiceByAttributes) && + sourcingStragegyCycleOptions.map((it, idx) => { + const cardColor = SOURCING_STRATEGY_CYCLE_COLORS[idx]; + const cardIcon = SEARCHBOX_ICONS[idx]; + return ( +
+
+
{it.label}
+ +
+ { + // setLoading(true); + // setPage(page + 1); + // setTimeout(() => { + // fetchData(); + // }, 1000); + // }} + // hasMore={practices.length < total} + hasMore={false} + loader={ + + + + } + // endMessage={ + // + // {!loading && No more results available.} + // + // } + scrollableTarget="scrollableDiv" + style={{ overflowX: "hidden" }} + > + { + const sourcingPrinciplesLabels = + procurementPrincipleOptions.map((p) => p.label); + const sourcingPrinciplesTags = practice?.tags?.filter( + (tag) => sourcingPrinciplesLabels.includes(tag) + ); + return ( + +
+
+ {cardIcon.name} + +
+
{ + navigate( + `/procurement-library/intervention-library/${practice.id}` + ); + }} + > + + {practice.label} + +
+ {/* TAGS */} + {sourcingPrinciplesTags?.length ? ( +
+
+ Sourcing principles +
+
+ {sourcingPrinciplesTags?.map((tag) => ( + {tag} + ))} +
+
+ ) : ( + "" + )} + {/* EOL TAGS */} +
+ + + View + + + + + +
+
+
+ ); + }} + /> +
+
+ ); + })} +
+ ); + + const NoData = () => ( +
+
+

No data

+

No more results available.

+ + Refresh search + +
+
+ ); + return (
-
    -
  • { - navigate("/procurement-library"); - }} - > - Procurement Library -
  • -
  • { - navigate("/procurement-library/intervention-library"); - }} - > - Library -
  • -
+
+ } + items={breadcrumbItems.map((x, bi) => ({ + key: bi, + title: ( + + {x?.title?.toLowerCase() === "home" ? ( + + ) : ( + x.title + )} + + ), + }))} + /> +
-

The Intervention Library

+
+

The Intervention Library

+
+ {SEARCHBOX_ICONS.map((it) => ( + {it.name} + ))} +
+
- + + } + style={{ minWidth: 280 }} + allowClear + /> + + + } - size="large" - style={{ minWidth: 280 }} + + option.label.toLowerCase().includes(input.toLowerCase()) + } + showSearch allowClear /> +
-
- { - setLoading(true); - setPage(page + 1); - setTimeout(() => { - fetchData(); - }, 1000); - }} - hasMore={practices.length < total} - loader={ - - - - } - endMessage={ - - {!loading && No more results available.} - - } - scrollableTarget="scrollableDiv" - > - ( - -
-
-
- {practice?.procurement_processes - ?.slice(0, 1) - ?.map((proc) => ( - - ))} - {practice?.procurement_processes?.length > 1 && ( - - {practice.procurement_processes - .slice( - 1, - practice.procurement_processes.length - ) - .map((proc) => ( -
  • - -
  • - ))} - - } - > - - {`+${ - practice?.procurement_processes?.length - 1 - }`} - -
    - )} -
    - -
    -
    { - navigate( - `/procurement-library/intervention-library/${practice.id}` - ); - }} - > - - {practice.label} - -
    -
    - - - View - - - - - -
    -
    -
    - )} - /> -
    -
    + + {/* LOAD PRACTICES LIST */} + {isAllPraticesByAttributeHasNoData ? : }
    ); diff --git a/frontend/src/pages/procurement-library-v2/intervention-library/intervention-library.scss b/frontend/src/pages/procurement-library-v2/intervention-library/intervention-library.scss index 433f7945..a02d188c 100644 --- a/frontend/src/pages/procurement-library-v2/intervention-library/intervention-library.scss +++ b/frontend/src/pages/procurement-library-v2/intervention-library/intervention-library.scss @@ -1,10 +1,19 @@ @import "../../../variables.scss"; .intervention-library-container { - padding: 12px 32px; - @media (max-width: 1280px) { - padding: 6px 32px; + padding: 2rem var(--default-landing-padding); + // @media (max-width: 1280px) { + // padding: 6px 32px; + // } + + .ant-breadcrumb { + padding: 0 0 32px 0 !important; + + a.active { + font-weight: 700; + } } + .intervention-library-header ul { list-style: none; padding-inline-start: 0; @@ -48,31 +57,54 @@ background-position: right bottom; background-repeat: no-repeat; background-size: contain; - h1 { - margin-block-start: 0; - margin-block-end: 0; - margin-bottom: 18px !important; - color: $primary-color; - font-size: 34px !important; - font-style: normal; - font-weight: 700; - line-height: 42px; /* 123.529% */ - letter-spacing: -0.68px; + width: 100%; + + .intervention-library-search-box-title-wrapper { + display: flex; + justify-content: space-between; + align-items: center; + gap: 24px; + width: 100%; + + h1 { + margin-block-start: 0; + margin-block-end: 0; + color: $primary-color; + font-size: 34px !important; + font-style: normal; + font-weight: 700; + line-height: 42px; + flex-shrink: 0; + } + + .income-library-search-box-icon-wrapper { + display: flex; + justify-content: center; + align-items: center; + gap: 10px; + margin-left: auto; + + img.il-search-box-icon { + width: 24px; + height: 24px; + } + } } + .ant-form { + width: 100%; display: grid; - grid-template-columns: repeat(4, 1fr); + grid-template-columns: repeat(5, 1fr); align-items: center; gap: 12px; @media (max-width: 820px) { - grid-template-columns: repeat(2, 1fr); + grid-template-columns: repeat(3, 1fr); } .intervention-library-search-button { width: fit-content; height: auto; display: flex; - padding: 0 14px; - margin-top: 6px; + padding: 0 12px; justify-content: space-between; align-items: center; flex-shrink: 0; @@ -85,7 +117,6 @@ font-size: 14px; font-style: normal; font-weight: 700; - line-height: 20px; /* 142.857% */ } .ant-space-item svg { margin-top: 4px; @@ -93,28 +124,64 @@ } } } + .intervention-library-content-body { width: 100%; - max-width: 1440px; - height: calc(100vh - 360px); + // height: calc(100vh - 360px); overflow-y: scroll; overflow-x: hidden; - padding: 0 16px; + padding: 0 0 0 5px; margin: 24px auto; + + .il-practice-by-attribute-wrapper { + padding: 0 0 0 16px; + border-left: 1.5px solid $primary-color; + border-left-style: dashed; + position: relative; + margin-bottom: 20px; + + &::before, + &::after { + content: ""; + width: 5px; + height: 5px; + border-radius: 50%; + background-color: $primary-color; + position: absolute; + left: -3px; + } + + .il-attribute-title { + color: var(--light-90, #979797); + + /* Heading/H6/Regular */ + font-family: "TabletGothic"; + font-size: 20px; + font-style: normal; + font-weight: 400; + line-height: 157.15%; /* 31.43px */ + + display: flex; + align-items: center; + justify-content: space-between; + gap: 24px; + + div.left { + min-width: 18%; + } + } + } + .ant-list { - margin-bottom: 96px; + // margin-bottom: 24px; .intervention-card { width: 100%; - min-height: 164px; - display: flex; - flex-direction: column; - align-items: flex-start; - justify-content: space-between; - gap: 12px; + min-height: 340px; padding: 12px; border-radius: 16px; border: 1px solid #e9e9e9; - background-color: #fff; + position: relative; + .intervention-card-header { width: 100%; display: flex; @@ -122,26 +189,15 @@ justify-content: space-between; align-items: center; gap: 6px; - .intervention-card-categories { - display: flex; - flex-direction: row; - flex-wrap: wrap; - gap: 4px; - .ant-tag { - padding-inline: 0; - padding: 1px 6px; - border-radius: 999px; - display: flex; - flex-direction: column; - justify-content: center; - align-items: center; - font-size: 12px; - font-style: normal; - font-weight: 700; - } + + img.ssc-step { + width: 24px; + height: 24px; } } + .intervention-card-description { + margin-top: 20px; width: 100%; color: #000; font-size: 14px; @@ -152,11 +208,45 @@ margin-block-start: 0; } } + + .intervention-cart-tags { + margin-top: 20px; + border-radius: 12px; + border: 1px dashed var(--light-40, #d8d8d8); + background: var(--light-10, #fff); + display: flex; + padding: 8px; + flex-direction: column; + align-items: flex-start; + gap: 8px; + align-self: stretch; + + .ict-title, + .ict-tags-wrapper { + font-family: "TabletGothic"; + font-size: 12px; + } + + .ict-tags-wrapper { + display: flex; + flex-wrap: wrap; + gap: 5px; + + .ant-tag { + font-size: 12px !important; + } + } + } + .intervention-card-footer { width: 100%; display: flex; justify-content: flex-end; align-items: center; + position: absolute; + bottom: 12px; + right: 12px; + a { padding-left: 0; padding-right: 0; @@ -169,8 +259,35 @@ } } } + .intervention-library-content-footer { text-align: center; } + + .no-data-wrapper { + width: 100%; + display: flex; + padding: 48px 0; + flex-direction: column; + justify-content: center; + align-items: center; + gap: 32px; + flex-shrink: 0; + + h2, + p { + line-height: 0; + margin: 0; + } + + p { + color: #475467; + } + } + + // Hide default No Data from infinite scroll + .ant-empty { + display: none; + } } } diff --git a/frontend/src/store/procurement-library.js b/frontend/src/store/procurement-library.js index 8c24a406..ba54743a 100644 --- a/frontend/src/store/procurement-library.js +++ b/frontend/src/store/procurement-library.js @@ -8,6 +8,14 @@ const defaultPLState = { impact_area: null, procurement_process_ids: [], }, + // v2 + categoryWithAttributes: [], + filterV2: { + search: "", + impact_area: null, + sourcing_strategy_cycle: null, + procurement_principles: null, + }, }; const PLState = new Store(defaultPLState);