nicolasb92 commited on
Commit
99d12ec
·
1 Parent(s): 59f28ec

initial commit

Browse files
.vscode/settings.json DELETED
@@ -1,6 +0,0 @@
1
- {
2
- "[python]": {
3
- "editor.defaultFormatter": "ms-python.black-formatter"
4
- },
5
- "python.formatting.provider": "none"
6
- }
 
 
 
 
 
 
 
README.md CHANGED
@@ -1,21 +1,10 @@
1
  ---
2
  title: Pdf Rag Metadata Demo
3
- emoji: 🌍
4
  colorFrom: yellow
5
  colorTo: indigo
6
  sdk: docker
7
  pinned: false
8
  license: gpl-3.0
9
  short_description: PDF RAG metadata demo
10
- ---
11
-
12
- This is a templated Space for [Shiny for Python](https://shiny.rstudio.com/py/).
13
-
14
-
15
- To get started with a new app do the following:
16
-
17
- 1) Install Shiny with `pip install shiny`
18
- 2) Create a new app with `shiny create`
19
- 3) Then run the app with `shiny run --reload`
20
-
21
- To learn more about this framework please see the [Documentation](https://shiny.rstudio.com/py/docs/overview.html).
 
1
  ---
2
  title: Pdf Rag Metadata Demo
3
+ emoji: 📄
4
  colorFrom: yellow
5
  colorTo: indigo
6
  sdk: docker
7
  pinned: false
8
  license: gpl-3.0
9
  short_description: PDF RAG metadata demo
10
+ ---
 
 
 
 
 
 
 
 
 
 
 
app.py CHANGED
@@ -1,162 +1,192 @@
1
- import faicons as fa
2
- import plotly.express as px
3
-
4
- # Load data and compute static values
5
- from shared import app_dir, tips
6
- from shinywidgets import render_plotly
7
-
8
- from shiny import reactive, render
9
- from shiny.express import input, ui
10
-
11
- bill_rng = (min(tips.total_bill), max(tips.total_bill))
12
-
13
- # Add page title and sidebar
14
- ui.page_opts(title="Restaurant tipping", fillable=True)
15
-
16
- with ui.sidebar(open="desktop"):
17
- ui.input_slider(
18
- "total_bill",
19
- "Bill amount",
20
- min=bill_rng[0],
21
- max=bill_rng[1],
22
- value=bill_rng,
23
- pre="$",
24
- )
25
- ui.input_checkbox_group(
26
- "time",
27
- "Food service",
28
- ["Lunch", "Dinner"],
29
- selected=["Lunch", "Dinner"],
30
- inline=True,
31
- )
32
- ui.input_action_button("reset", "Reset filter")
33
-
34
- # Add main content
35
- ICONS = {
36
- "user": fa.icon_svg("user", "regular"),
37
- "wallet": fa.icon_svg("wallet"),
38
- "currency-dollar": fa.icon_svg("dollar-sign"),
39
- "ellipsis": fa.icon_svg("ellipsis"),
40
  }
41
 
42
- with ui.layout_columns(fill=False):
43
- with ui.value_box(showcase=ICONS["user"]):
44
- "Total tippers"
45
-
46
- @render.express
47
- def total_tippers():
48
- tips_data().shape[0]
49
-
50
- with ui.value_box(showcase=ICONS["wallet"]):
51
- "Average tip"
52
-
53
- @render.express
54
- def average_tip():
55
- d = tips_data()
56
- if d.shape[0] > 0:
57
- perc = d.tip / d.total_bill
58
- f"{perc.mean():.1%}"
59
-
60
- with ui.value_box(showcase=ICONS["currency-dollar"]):
61
- "Average bill"
62
-
63
- @render.express
64
- def average_bill():
65
- d = tips_data()
66
- if d.shape[0] > 0:
67
- bill = d.total_bill.mean()
68
- f"${bill:.2f}"
69
-
70
-
71
- with ui.layout_columns(col_widths=[6, 6, 12]):
72
- with ui.card(full_screen=True):
73
- ui.card_header("Tips data")
74
-
75
- @render.data_frame
76
- def table():
77
- return render.DataGrid(tips_data())
78
-
79
- with ui.card(full_screen=True):
80
- with ui.card_header(class_="d-flex justify-content-between align-items-center"):
81
- "Total bill vs tip"
82
- with ui.popover(title="Add a color variable", placement="top"):
83
- ICONS["ellipsis"]
84
- ui.input_radio_buttons(
85
- "scatter_color",
86
- None,
87
- ["none", "sex", "smoker", "day", "time"],
88
- inline=True,
89
- )
90
-
91
- @render_plotly
92
- def scatterplot():
93
- color = input.scatter_color()
94
- return px.scatter(
95
- tips_data(),
96
- x="total_bill",
97
- y="tip",
98
- color=None if color == "none" else color,
99
- trendline="lowess",
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
100
  )
101
 
102
- with ui.card(full_screen=True):
103
- with ui.card_header(class_="d-flex justify-content-between align-items-center"):
104
- "Tip percentages"
105
- with ui.popover(title="Add a color variable"):
106
- ICONS["ellipsis"]
107
- ui.input_radio_buttons(
108
- "tip_perc_y",
109
- "Split by:",
110
- ["sex", "smoker", "day", "time"],
111
- selected="day",
112
- inline=True,
113
- )
114
-
115
- @render_plotly
116
- def tip_perc():
117
- from ridgeplot import ridgeplot
118
-
119
- dat = tips_data()
120
- dat["percent"] = dat.tip / dat.total_bill
121
- yvar = input.tip_perc_y()
122
- uvals = dat[yvar].unique()
123
-
124
- samples = [[dat.percent[dat[yvar] == val]] for val in uvals]
125
-
126
- plt = ridgeplot(
127
- samples=samples,
128
- labels=uvals,
129
- bandwidth=0.01,
130
- colorscale="viridis",
131
- colormode="row-index",
 
132
  )
133
 
134
- plt.update_layout(
135
- legend=dict(
136
- orientation="h", yanchor="bottom", y=1.02, xanchor="center", x=0.5
137
- )
138
- )
139
-
140
- return plt
141
-
142
-
143
- ui.include_css(app_dir / "styles.css")
144
-
145
- # --------------------------------------------------------
146
- # Reactive calculations and effects
147
- # --------------------------------------------------------
148
-
149
-
150
- @reactive.calc
151
- def tips_data():
152
- bill = input.total_bill()
153
- idx1 = tips.total_bill.between(bill[0], bill[1])
154
- idx2 = tips.time.isin(input.time())
155
- return tips[idx1 & idx2]
156
 
157
 
158
- @reactive.effect
159
- @reactive.event(input.reset)
160
- def _():
161
- ui.update_slider("total_bill", value=bill_rng)
162
- ui.update_checkbox_group("time", selected=["Lunch", "Dinner"])
 
1
+ import base64
2
+
3
+ from llama_index.core.schema import BaseNode
4
+ from shiny import ui, render, App
5
+ import logging
6
+ from pathlib import Path
7
+ from llama_index.core.storage.docstore import SimpleDocumentStore
8
+ import json
9
+
10
+ from structure_parsers import parse_structure
11
+
12
+ root_logger = logging.getLogger()
13
+ logger = logging.getLogger(__name__)
14
+ logging.basicConfig(level=logging.INFO)
15
+ root_logger.setLevel(logging.ERROR)
16
+
17
+
18
+ parsed_structure_info = {
19
+ "landscape": """
20
+ Structure parsed from PDF using Gemini (landscape mode):
21
+ - Indentation shows parent/child relationships
22
+ - Numbers in [] represent:
23
+ * Positive numbers: page numbers
24
+ * Negative numbers: abstract nodes grouping related sections
25
+ """,
26
+ "portrait": """
27
+ Structure parsed from PDF using Gemini (portrait mode):
28
+ - Indentation shows parent/child relationships
29
+ - Numbers in [] represent:
30
+ * Positive numbers: line numbers
31
+ * Negative numbers: abstract nodes grouping related sections
32
+ """,
 
 
 
 
 
 
 
33
  }
34
 
35
+ # Load the docstore
36
+ data_dir = Path(__file__).parents[1] / "data"
37
+ docstore = SimpleDocumentStore.from_persist_path(str(data_dir / "storage_metadata" / "processed_docstore_storage.json"))
38
+
39
+
40
+ def get_pdf_data_url(file_path):
41
+ """Convert PDF file to data URL for embedding"""
42
+ try:
43
+ with open(file_path, "rb") as f:
44
+ pdf_data = f.read()
45
+ b64_data = base64.b64encode(pdf_data).decode()
46
+ return f"data:application/pdf;base64,{b64_data}"
47
+ except Exception as e:
48
+ logger.error(f"Error reading PDF file: {e}")
49
+ return None
50
+
51
+
52
+ def get_str_structure(doc: BaseNode) -> str:
53
+ """Return a string representation of the document structure."""
54
+ tree = parse_structure(doc)
55
+ return str(tree)
56
+
57
+
58
+ def format_metadata_value(value):
59
+ # Try to parse as JSON if it looks like a dict/list string
60
+ if isinstance(value, str):
61
+ if (value.startswith("{") and value.endswith("}")) or (value.startswith("[") and value.endswith("]")):
62
+ try:
63
+ parsed = json.loads(value)
64
+ return ui.tags.pre(json.dumps(parsed, indent=2, ensure_ascii=False))
65
+ except:
66
+ pass
67
+
68
+ # Handle multiline strings
69
+ if "\n" in value:
70
+ return ui.tags.pre(value)
71
+
72
+ # Handle lists and dicts directly
73
+ if isinstance(value, (dict, list)):
74
+ return ui.tags.pre(json.dumps(value, indent=2, ensure_ascii=False))
75
+
76
+ # Default case
77
+ return str(value)
78
+
79
+
80
+ # Define UI
81
+ def get_doc_choices():
82
+ return [(doc_id, doc.metadata.get("filename", doc_id)) for doc_id, doc in docstore.docs.items()]
83
+
84
+
85
+ app_ui = ui.page_fluid(
86
+ # Summary section
87
+ ui.card(
88
+ ui.h2("Document Store Summary"),
89
+ ui.output_text("doc_count"),
90
+ # min_height=200,
91
+ ),
92
+ # Document selection and display
93
+ ui.card(
94
+ ui.layout_sidebar(
95
+ ui.sidebar(
96
+ ui.h3("Document Selection"),
97
+ ui.input_select("selected_doc_id", "Select Document", choices=dict(get_doc_choices())),
98
+ ),
99
+ ui.h2("Document display"),
100
+ ui.output_ui("display_panel"),
101
+ ui.h2("Document Details"),
102
+ ui.output_ui("metadata_panel"),
103
+ )
104
+ ),
105
+ )
106
+
107
+
108
+ def server(input, output, session):
109
+ @output
110
+ @render.text
111
+ def doc_count():
112
+ return f"Total documents: {len(docstore.docs)}"
113
+
114
+ @output
115
+ @render.ui
116
+ def display_panel():
117
+ if not input.selected_doc_id():
118
+ return ui.p("Please select a document")
119
+
120
+ try:
121
+ doc = docstore.docs.get(input.selected_doc_id())
122
+ if not doc:
123
+ logger.error(f"Document not found: {input.selected_doc_id()}")
124
+ return ui.p("Error: Document not found")
125
+
126
+ pdf_path = doc.metadata.get("file_path")
127
+ pdf_data_url = get_pdf_data_url(pdf_path) if pdf_path else None
128
+
129
+ return ui.div(
130
+ ui.h3(f"Display panel for: {doc.metadata.get('filename', 'Unknown')}"),
131
+ ui.row(
132
+ ui.column(
133
+ 6, # Left column (PDF)
134
+ ui.h4("PDF View"),
135
+ ui.tags.iframe(
136
+ src=pdf_data_url,
137
+ style="width: 100%; height: 800px; border: 1px solid #ddd;",
138
+ type="application/pdf",
139
+ )
140
+ if pdf_data_url
141
+ else ui.p("No PDF available"),
142
+ ),
143
+ ui.column(
144
+ 6, # Right column (Markdown)
145
+ ui.h4("Content"),
146
+ ui.div(
147
+ ui.markdown(doc.text),
148
+ style="height: 800px; overflow-y: auto; border: 1px solid #ddd; padding: 1rem;",
149
+ ),
150
+ ),
151
+ ),
152
  )
153
 
154
+ except Exception as e:
155
+ logger.exception("Error displaying document metadata")
156
+ return ui.p(f"Error: {str(e)}")
157
+
158
+ @output
159
+ @render.ui
160
+ def metadata_panel():
161
+ if not input.selected_doc_id():
162
+ return ui.p("Please select a document")
163
+
164
+ try:
165
+ doc = docstore.docs.get(input.selected_doc_id())
166
+ if not doc:
167
+ logger.error(f"Document not found: {input.selected_doc_id()}")
168
+ return ui.p("Error: Document not found")
169
+
170
+ return ui.div(
171
+ ui.h3(f"Metadata for: {doc.metadata.get('filename', 'Unknown')}"),
172
+ ui.tags.table(
173
+ ui.tags.thead(ui.tags.tr(ui.tags.th("Property"), ui.tags.th("Value"))),
174
+ ui.tags.tbody(
175
+ *[
176
+ ui.tags.tr(ui.tags.td(key), ui.tags.td(format_metadata_value(value)))
177
+ for key, value in doc.metadata.items()
178
+ ]
179
+ ),
180
+ class_="table table-striped",
181
+ ),
182
+ ui.h3(f"Parsed Structure for: {doc.metadata.get('filename', 'Unknown')}"),
183
+ ui.markdown(parsed_structure_info.get(doc.metadata.get("format", ""), "")),
184
+ ui.tags.pre(get_str_structure(doc)),
185
  )
186
 
187
+ except Exception as e:
188
+ logger.exception("Error displaying document metadata")
189
+ return ui.p(f"Error: {str(e)}")
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
190
 
191
 
192
+ app = App(app_ui, server)
 
 
 
 
data/cache/2023-conocophillips-aim-presentation.pdf.md ADDED
@@ -0,0 +1,2475 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ ConocoPhillips
2
+ 2023 Analyst & Investor Meeting
3
+
4
+ --- end page 1
5
+
6
+ # Today's Agenda
7
+
8
+ Opening
9
+ Ryan Lance Chairman and CEO
10
+
11
+ Strategy and Portfolio
12
+ Dominic Macklon EVP, Strategy, Sustainability and Technology
13
+
14
+ Alaska and International
15
+ Andy O'Brien SVP, Global Operations
16
+
17
+ LNG and Commercial
18
+ Bill Bullock EVP and CFO
19
+
20
+ Lower 48
21
+ Nick Olds EVP, Lower 48
22
+
23
+ Financial Plan
24
+ Bill Bullock EVP and CFO
25
+
26
+ Closing
27
+ Ryan Lance Chairman and CEO
28
+
29
+ 10-Minute Break
30
+
31
+ Q&A Session
32
+
33
+ ConocoPhillips
34
+ 2
35
+
36
+ --- end page 2
37
+
38
+ # Cautionary Statement
39
+ This presentation provides management's current operational plan for ConocoPhillips over roughly the next decade, for the assets currently in our portfolio, and is subject to multiple assumptions, including, unless otherwise specifically noted:
40
+ * an oil price of $60/BBL West Texas Intermediate in 2022 dollars, escalating at 2.25% annually;
41
+ * an oil price of $65/BBL Brent in 2022 dollars, escalating at 2.25% annually;
42
+ * a gas price of $3.75/MMBTU Henry Hub in 2022 dollars, escalating at 2.25% annually;
43
+ * an international gas price of $8/MMBTU Title Transfer Facility & Japan Korea Marker in 2022 dollars, escalating at 2.25% annually;
44
+ * cost and capital escalation in line with price escalation; planning case at $60/BBL WTI assumes capital de-escalation from levels observed in 2022;
45
+ * all production compound annual growth rates (CAGR) are calculated for the 10-year period 2023 - 2032;
46
+ * inclusion of carbon tax in the cash flow forecasts for assets where a tax is currently assessed. If no carbon tax exists for the asset, it is not included in the cash flow forecasts;
47
+ * Cost of Supply displayed in WTI, includes carbon tax where carbon policy exists and a proxy carbon price for assets without existing carbon policies. Please refer to the Cost of Supply definition in the Appendix for additional information on how carbon costs are included
48
+ in the Cost of Supply calculation.
49
+
50
+ As a result, this presentation contains forward-looking statements as defined under the federal securities laws. Forward-looking statements relate to future events, plans and anticipated results of operations, business strategies, and other aspects of our operations or
51
+ operating results. Graphics that project into a future date constitute forward-looking statements. Also, words and phrases such as "anticipate," "estimate," "believe," "budget," "continue," "could," "intend," "may," "plan," "potential," "predict," "seek," "should," "will," "would,"
52
+ "expect," "objective," "projection," "forecast," "goal," "guidance," "outlook," "effort," "target" and other similar words can be used to identify forward-looking statements. However, the absence of these words does not mean that the statements are not forward-looking.
53
+
54
+ Where, in any forward-looking statement, the company expresses an expectation or belief as to future results, such expectation or belief is based on management's good faith plans and objectives under the assumptions set forth above (unless noted otherwise) and
55
+ believed to be reasonable as of April 12, 2023, the date of this presentation. These statements are not guarantees of future performance and involve certain risks and uncertainties and are subject to change as management is continually assessing factors beyond our control
56
+ that may or may not be currently known. Given the foregoing and the extended time horizon of this presentation, actual outcomes and results will likely differ from what is expressed or forecast in the forward-looking statements, and such differences may be material.
57
+ Factors that could cause actual results or events to differ materially from what is presented include changes in commodity prices, including a prolonged decline in these prices relative to historical or future expected levels; global and regional changes in the demand, supply,
58
+ prices, differentials or other market conditions affecting oil and gas, including changes resulting from any ongoing military conflict, including the conflict between Russia and Ukraine and the global response to such conflict, security threats on facilities and infrastructure, or
59
+ from a public health crisis or from the imposition or lifting of crude oil production quotas or other actions that might be imposed by OPEC and other producing countries and the resulting company or third-party actions in response to such changes; insufficient liquidity or
60
+ other factors, such as those listed herein, that could impact our ability to repurchase shares and declare and pay dividends such that we suspend our share repurchase program and reduce, suspend, or totally eliminate dividend payments in the future, whether variable or
61
+ fixed; changes in expected levels of oil and gas reserves or production; potential failures or delays in achieving expected reserve or production levels from existing and future oil and gas developments, including due to operating hazards, drilling risks or unsuccessful
62
+ exploratory activities; unexpected cost increases, inflationary pressures or technical difficulties in constructing, maintaining or modifying company facilities; legislative and regulatory initiatives addressing global climate change or other environmental concerns; public health
63
+ crises, including pandemics (such as COVID-19) and epidemics and any impacts or related company or government policies or actions; investment in and development of competing or alternative energy sources; potential failures or delays in delivering on our current or
64
+ future low-carbon strategy, including our inability to develop new technologies; disruptions or interruptions impacting the transportation for our oil and gas production; international monetary conditions and exchange rate fluctuations; changes in international trade
65
+ relationships or governmental policies, including the imposition of price caps or the imposition of trade restrictions or tariffs on any materials or products (such as aluminum and steel) used in the operation of our business, including any sanctions imposed as a result of any
66
+ ongoing military conflict, including the conflict between Russia and Ukraine; our ability to collect payments when due, including our ability to collect payments from the government of Venezuela or PDVSA; our ability to complete any announced or any future dispositions or
67
+ acquisitions on time, if at all; the possibility that regulatory approvals for any announced or any future dispositions or acquisitions will not be received on a timely basis, if at all, or that such approvals may require modification to the terms of the transactions or our remaining
68
+ business; business disruptions following any announced or future dispositions or acquisitions, including the diversion of management time and attention; the ability to deploy net proceeds from our announced or any future dispositions in the manner and timeframe we
69
+ anticipate, if at all; potential liability for remedial actions under existing or future environmental regulations; potential liability resulting from pending or future litigation, including litigation related directly or indirectly to our transaction with Concho Resources Inc.; the impact
70
+ of competition and consolidation in the oil and gas industry; limited access to capital or insurance or significantly higher cost of capital or insurance related to illiquidity or uncertainty in the domestic or international financial markets or investor sentiment; general domestic
71
+ and international economic and political conditions or developments, including as a result of any ongoing military conflict, including the conflict between Russia and Ukraine; changes in fiscal regime or tax, environmental and other laws applicable to our business; and
72
+ disruptions resulting from accidents, extraordinary weather events, civil unrest, political events, war, terrorism, cybersecurity threats or information technology failures, constraints or disruptions; and other economic, business, competitive and/or regulatory factors affecting
73
+ our business generally as set forth in our filings with the Securities and Exchange Commission. Unless legally required, ConocoPhillips expressly disclaims any obligation to update any forward-looking statements, whether as a result of new information, future events or
74
+ otherwise. We assume no duty to update these statements as of any future date and neither future distribution of this material nor the continued availability of this material in archive form on our website should be deemed to constitute an update or re-affirmation of these
75
+ figures as of any future date. Any future update of these figures will be provided only through a public disclosure indicating that fact.
76
+
77
+ Use of Non-GAAP Financial Information - This presentation includes non-GAAP financial measures, which help facilitate comparison of company operating performance across periods and with peer companies. Any historical non-GAAP measures included herein will be
78
+ accompanied by a reconciliation to the nearest corresponding GAAP measure both at the end of this presentation and on our website at www.conocophillips.com/nongaap. For forward-looking non-GAAP measures, we are unable to provide a reconciliation to the most
79
+ comparable GAAP financial measures because the information needed to reconcile these measures is dependent on future events, many of which are outside management's control as described above. Additionally, estimating such GAAP measures and providing a
80
+ meaningful reconciliation consistent with our accounting policies for future periods is extremely difficult and requires a level of precision that is unavailable for these future periods and cannot be accomplished without unreasonable effort. Forward looking non-GAAP
81
+ measures are estimated consistent with the relevant definitions and assumptions.
82
+
83
+ Cautionary Note to U.S. Investors - The SEC permits oil and gas companies, in their filings with the SEC, to disclose only proved, probable and possible reserves. We use terms and metrics such as "resource" or "Estimated Ultimate Recovery (EUR)" in this presentation that
84
+ we are prohibited from using in filings with the SEC under the SEC's guidelines. U.S. investors are urged to consider closely the oil and gas disclosures in our Form 10-K and other reports and filings with the SEC. Copies are available from the SEC and from the
85
+ ConocoPhillips website.
86
+
87
+ ConocoPhillips 3
88
+
89
+
90
+ --- end page 3
91
+
92
+ ConocoPhillips
93
+ Opening
94
+ Ryan Lance
95
+ Chairman and CEO
96
+
97
+ --- end page 4
98
+
99
+ # ConocoPhillips Remains the Must-Own E&P Company
100
+
101
+ 120
102
+ 100
103
+ The Macro
104
+ Oil Price ($/BBL WTI)
105
+ What You'll Hear Today
106
+ We are committed to
107
+ delivering superior returns
108
+ **on** and **of** capital
109
+ through the cycles
110
+
111
+ 80
112
+ 60
113
+ 40
114
+ $60/BBL WTI
115
+ Mid-Cycle
116
+ Planning Price
117
+ We have a **deep, durable**
118
+ and **diverse** portfolio
119
+
120
+ 20
121
+ 0
122
+ 2019
123
+ 2021
124
+ 2023
125
+ 2024+
126
+ We are progressing our
127
+ **2050 Net-Zero ambition** and
128
+ accelerating our 2030 GHG emissions
129
+ intensity reduction target
130
+
131
+ ConocoPhillips
132
+ 5
133
+
134
+ --- end page 5
135
+
136
+ We Are Committed to Our Returns-Focused Value Proposition
137
+
138
+ ### Triple Mandate
139
+ Aligned to Business Realities
140
+
141
+ ![Figure 1: Triple Mandate with three sections: MEET TRANSITION PATHWAY DEMAND (green), DELIVER COMPETITIVE RETURNS (orange), ACHIEVE NET-ZERO EMISSIONS AMBITION¹ (blue)](image_reference)
142
+
143
+ ### Foundational Principles
144
+
145
+ ![Figure 2: Foundational Principles including Balance Sheet Strength, RETURNS, Disciplined Investments, Peer-Leading Distributions, ESG Excellence, Deliver Superior Returns Through Cycles](image_reference)
146
+
147
+ ### Clear and Consistent Priorities
148
+ 1
149
+ Sustain production
150
+ and pay dividend
151
+
152
+ 2
153
+ Annual dividend growth
154
+
155
+ 3
156
+ 'A'-rated balance sheet
157
+
158
+ 4
159
+ >30% of CFO
160
+ shareholder payout
161
+
162
+ 5
163
+ Disciplined investment
164
+ to enhance returns
165
+
166
+ ¹Scope 1 and 2 emissions on a gross operated and net equity basis.
167
+ Cash from operations (CFO) is a non-GAAP measure defined in the Appendix.
168
+
169
+ --- end page 6
170
+
171
+ # We Are Continuously Improving
172
+
173
+ | | 2016 | 2019 | 2022 |
174
+ | :------------------------------- | :---------- | :---------- | :---------- |
175
+ | | $43/BBL WTI | $57/BBL WTI | $94/BBL WTI |
176
+ | Return on Capital Employed | -4% | 10% | 27% |
177
+ | Return of Capital¹ | $1.11/share | $4.45/share | $11.73/share |
178
+ | Net Debt | $24B | $7B | $7B |
179
+ | Cash From OperationsFree Cash Flow | $5B \| $OB | $12B \| $5B | $29B \| $18B |
180
+ | Resource <$40/BBL WTI | ~10 BBOE | ~15 ВВОЕ | ~20 BBOE |
181
+ | Production | 1.6 MMBOED | 1.3 MMBOED | 1.7 MMBOED |
182
+ | Emissions Intensity²(kg CO2e/BOE) | ~39 | ~36 | ~22 |
183
+
184
+ Foundational
185
+ Principles
186
+
187
+ Peer-Leading
188
+ Distributions
189
+ and Returns
190
+
191
+ Balance Sheet
192
+ Strength
193
+
194
+ Disciplined
195
+ Investments
196
+
197
+ ESG
198
+ Excellence
199
+
200
+ ¹Defined in the Appendix and presented on a per-share basis using average outstanding diluted shares. ²Gross operated GHG emissions (Scope 1 and 2), 2022 is a preliminary estimate.
201
+ Cash from operations (CFO), free cash flow (FCF), net debt and return on capital employed (ROCE) are non-GAAP measures. Definitions and reconciliations are included in the Appendix.
202
+
203
+ --- end page 7
204
+
205
+ # We Have a Compelling 10-Year Plan that Sets us Apart
206
+
207
+ $350
208
+ $300
209
+ $250
210
+ $200
211
+ $150
212
+ $100
213
+ $50
214
+ 10-Year Plan ($B)
215
+ CFO at
216
+ 2023-2032
217
+ $80/BBL WTI
218
+ Upside Sensitivity
219
+ CFO at
220
+ $60/BBL WTI
221
+ Mid-Cycle
222
+ Planning Price
223
+ Additional
224
+ Distributions
225
+ 30% of CFO
226
+ Distribution
227
+ Commitment
228
+ Capital
229
+ $0
230
+ Cash 1
231
+ Cash¹
232
+ Sources
233
+ Uses
234
+
235
+ Peer leading ROCE improving through time
236
+
237
+ Top quartile ordinary dividend growth
238
+
239
+ >90% market cap² distributed
240
+
241
+ ~$35/BBL WTI FCF Breakeven³
242
+
243
+ ~6% CFO CAGR, ~11% FCF CAGR
244
+
245
+ Unhedged for price upside
246
+
247
+ Cash includes cash, cash equivalents, restricted cash and short-term investments. 2Market cap of ~$121B at March 31, 2023, close. 3Average over the next 10 years.
248
+ CAGRs calculated from FY2024 at $60/BBL WTI. Cash from operations (CFO), free cash flow (FCF) and return on capital employed (ROCE) are non-GAAP measures. Definitions are included in the Appendix.
249
+
250
+ ConocoPhillips 8
251
+
252
+
253
+ --- end page 8
254
+
255
+ ConocoPhillips
256
+ Strategy and Portfolio
257
+ Dominic Macklon
258
+ EVP, Strategy, Sustainability and Technology
259
+
260
+ --- end page 9
261
+
262
+ # Strategy Powers Our Returns-Focused Value Proposition
263
+
264
+ $
265
+ ### Rigorous Capital Allocation Framework
266
+
267
+ Commitment to
268
+ disciplined reinvestment rate
269
+
270
+ Cost of Supply analysis
271
+ informs investment decisions
272
+
273
+ ### Differentiated Portfolio
274
+ Depth, Durability and Diversity
275
+
276
+ ~20 BBOE, <$40/BBL WTI
277
+ low Cost of Supply resource base
278
+
279
+ Leading Lower 48
280
+ unconventional position,
281
+ complemented with premium
282
+ Alaska and International assets
283
+
284
+ ### Valued Role in the
285
+ Energy Transition
286
+
287
+ Accelerating GHG-intensity
288
+ reduction target through 2030
289
+
290
+ Built attractive
291
+ LNG portfolio
292
+
293
+ Balance of short-cycle,
294
+ flexible unconventional
295
+ with select longer-cycle,
296
+ low-decline conventional
297
+
298
+ Reinvestment rate is a non-GAAP measure defined in the Appendix.
299
+ Strong track record of active
300
+ portfolio management
301
+
302
+ Evaluating longer term
303
+ low-carbon options in
304
+ hydrogen and CCS
305
+ ConocoPhillips 10
306
+
307
+ --- end page 10
308
+
309
+ # Commitment to Disciplined Reinvestment Rate
310
+
311
+ ## Industry Growth Focus
312
+
313
+ >100%
314
+ Reinvestment Rate
315
+
316
+ ## ConocoPhillips Strategy Reset
317
+
318
+ <60%
319
+ Reinvestment Rate
320
+
321
+ ## Disciplined Reinvestment Rate is the Foundation for Superior Returns on and of Capital, while Driving Durable CFO Growth
322
+
323
+ ~50%
324
+ 10-Year
325
+ Reinvestment Rate
326
+
327
+ ~6%
328
+ CFO CAGR
329
+ 2024-2032
330
+
331
+ at $60/BBL WTI
332
+ Mid-Cycle
333
+ Planning Price
334
+
335
+ ConocoPhillips Average Annual Reinvestment Rate (%)
336
+
337
+ 100%
338
+
339
+ 75%
340
+
341
+ 50%
342
+
343
+ 25%
344
+
345
+ ~$75/BBL
346
+ WTI
347
+ Average
348
+
349
+ ~$63/BBL
350
+ WTI
351
+ Average
352
+
353
+ 0%
354
+
355
+ 2012-2016
356
+
357
+ 2017-2022
358
+
359
+ at $80/BBL
360
+ WTI
361
+
362
+ 2023E
363
+
364
+ at $60/BBL
365
+ WTI
366
+
367
+ at $80/BBL
368
+ WTI
369
+
370
+ at $80/BBL
371
+ WTI
372
+
373
+ at $60/BBL
374
+ WTI
375
+
376
+ 2024-2028
377
+
378
+ 2029-2032
379
+
380
+ Historic Reinvestment Rate
381
+ Reinvestment Rate at $60/BBL WTI
382
+ --- Reinvestment Rate at $80/BBL WTI
383
+
384
+ Reinvestment rate and cash from operations (CFO) are non-GAAP measures. Definitions and reconciliations are included in the Appendix.
385
+ ConocoPhillips 11
386
+
387
+ --- end page 11
388
+
389
+ # Cost of Supply Analysis Informs Investment Decisions
390
+
391
+ Cost of Supply = Our North Star
392
+ $/BBL WTI Oil Price Required to Achieve a Point-Forward 10% Return
393
+
394
+ Fully Burdened Metric
395
+ With All Components Rigorously
396
+ Calculated For Each Entity
397
+
398
+ WTI Cost of Supply ($/BBL)
399
+
400
+ Facilities
401
+
402
+ G&A
403
+ Transport
404
+ Lifting
405
+
406
+ Wells
407
+
408
+ Capital
409
+
410
+ <$40/BBL
411
+
412
+ OPEX
413
+
414
+ Royalty
415
+
416
+ Taxes
417
+
418
+ Product Mix
419
+
420
+ Differential to WTI
421
+
422
+ WTI COS
423
+
424
+ Low Cost of Supply Wins
425
+
426
+ Reflective of a typical Permian development well.
427
+
428
+ ConocoPhillips
429
+ 12
430
+
431
+
432
+ --- end page 12
433
+
434
+ # Secondary Investment Criteria Reinforce Resilient, Durable Returns
435
+
436
+ Investment Criteria
437
+
438
+ Balanced, Diversified, Disciplined Production Growth
439
+
440
+ Production Mix¹
441
+ Oil ~55% NGL ~15% North American Gas ~15% International Gas ~15%
442
+
443
+ Production (MBOED)
444
+
445
+ Secondary Criteria
446
+ Disciplined
447
+ Reinvestment Rate
448
+ Returns of capital
449
+ Cost of
450
+ Supply
451
+ Returns on capital
452
+
453
+ Balance of short-cycle, flexible
454
+ unconventional with longer-cycle,
455
+ low-decline conventional
456
+
457
+ Product mix and market exposure
458
+
459
+ Predictable execution
460
+
461
+ ¹Average anticipated production mix from 2023-2032; oil includes bitumen.
462
+ Reinvestment rate is a non-GAAP measure defined in the Appendix.
463
+
464
+ [Graph 1: Production (MBOED)]
465
+ | Year | Production CAGR | LNG + Surmont | Conventional | Unconventional (Lower 48 + Montney) |
466
+ |---|---|---|---|---|
467
+ | 2023E | ~4-5% 10-Year Production CAGR | | | |
468
+ | | | ~2% CAGR | ~3% CAGR | ~6% CAGR |
469
+ | 2032 | | | | |
470
+
471
+ --- end page 13
472
+
473
+ # Our Differentiated Portfolio: Deep, Durable and Diverse
474
+
475
+ $50
476
+
477
+ ~20 BBOE of Resource
478
+ Under $40/BBL Cost of Supply
479
+
480
+ ~$32/BBL
481
+ Average Cost of Supply
482
+
483
+ Diverse Production Base
484
+ 10-Year Plan Cumulative Production (BBOE)
485
+
486
+ Lower 48
487
+
488
+ Alaska
489
+
490
+ WTI Cost of Supply ($/BBL)
491
+ $40
492
+
493
+ $30
494
+
495
+ $20
496
+
497
+ $10
498
+
499
+ $0
500
+ 0
501
+ 5
502
+ 10
503
+ 15
504
+ Resource (BBOE)
505
+ Lower 48
506
+ Canada
507
+ Alaska
508
+ ΕΜΕΝΑ
509
+ Asia Pacific
510
+
511
+ Costs assume a mid-cycle price environment of $60/BBL WTI.
512
+ Permian
513
+ GKA
514
+ GWA
515
+ GPA WNS
516
+ EMENA
517
+ Norway
518
+ Qatar Libya
519
+ Asia Pacific Canada
520
+ Montney
521
+ APLNG
522
+ 20
523
+ Bakken
524
+ Eagle Ford
525
+ Other
526
+ Malaysia China Surmont
527
+
528
+ ConocoPhillips
529
+ 14
530
+
531
+ --- end page 14
532
+
533
+ # Strong Track Record of Active Portfolio Management
534
+
535
+ 2016 | | 2022
536
+ -----------------|----------------------------------------------------|-----------------
537
+ Production | 1.6 MMBOED | 1.7 MMBOED
538
+ Resource <$40/BBL WTI | ~10 BBOE | ~20 BBOE
539
+ Average Cost of Supply | <$40/BBL WTI | ~$32/BBL WTI
540
+ Resource Life | >18 years | >30 years
541
+ Emissions Intensity¹ | ~39 kg CO₂e/BOE | ~22 kg CO2e/BOE
542
+
543
+ | WNS and GKA Working Interest Consolidations |
544
+ |---|
545
+ | 2018 |
546
+ | Montney Acreage Acquisition | Concho and Shell Permian Acquisitions | APLNG Acquisition |
547
+ |---|---|---|
548
+ | 2020 | 2021 | 2022 |
549
+ | 2017 | 2019 | |
550
+ |---|---|---|
551
+ | San Juan Exit Canada Cenovus Transaction | U.K. Exit | Niobrara and Australia-West Exits | Indonesia Exit |
552
+
553
+ Cost of Supply Framework Drives Disciplined Transactions
554
+ ~$25B of Both Acquisitions and Divestitures Since 20162
555
+
556
+ ¹Gross operated GHG emissions (Scope 1 and 2), 2022 is a preliminary estimate. ²Dispositions include contingent payment proceeds and sale of CVE shares.
557
+
558
+ --- end page 15
559
+
560
+ # Accelerating Our GHG-Intensity Reduction Target Through 2030
561
+ Emissions Reduction Opportunities
562
+ Pathway to Net-Zero¹
563
+
564
+ Methane Venting
565
+ and Flaring
566
+
567
+ Electrification
568
+
569
+ Optimization
570
+ and Efficiency
571
+ Emissions Intensity (kg CO2e/BOE)
572
+
573
+ ![Figure 1: Graph illustrates Pathway to Net-Zero Emissions Intensity (kg CO2e/BOE). The X axis shows years 2016, 2022E, 2030, and 2050. The Y axis shows values from 0 to 50, in increments of 10. Two data series are plotted: Gross Operated (blue bars and line) and Net Equity (gray line). The graph shows a reduction from approximately 40 kg CO2e/BOE in 2016 to a projected value between 10 and 20 kg CO2e/BOE by 2030 for Gross Operated, and a similar reduction for Net Equity. Key reduction targets of 50% and 60% are highlighted on the graph.](image_reference)
574
+
575
+ Strategic Pilots
576
+ and Studies
577
+
578
+ Near-Term (2025)
579
+ * Zero routine flaring by 2025²
580
+
581
+ Medium-Term (2030)
582
+ * NEW: Reduce GHG intensity 50-60% (from 40-50%)³
583
+ * Near-zero methane intensity target <1.5 kg CO2e/BOE
584
+
585
+ Long-Term (2050)
586
+ * Net-zero emissions ambition¹
587
+
588
+ Progressing Toward Net-Zero Ambition
589
+
590
+ ¹Scope 1 and 2 emissions on a gross operated and net equity basis. ²In line with the World Bank Zero Routine Flaring initiative, ConocoPhillips premise is five years earlier than World Bank 2030 goal.
591
+ ³ Reduction from a 2016 baseline.
592
+
593
+ ConocoPhillips 16
594
+
595
+ --- end page 16
596
+
597
+ # LNG: A Crucial Fuel for Energy Transition
598
+
599
+ ## U.S. Electric Power Sector Emissions
600
+ Drop with Shift from Coal to Natural Gas¹
601
+
602
+ ![Figure 1: Line chart showing the percentage share of electricity generation from coal and gas in the US from 2001 to 2021. Coal decreases from 51% to 40%, while gas increases from 17% to 20%.](image_reference)
603
+
604
+ ![Figure 2: Line chart showing CO₂ emissions in millions of metric tons from 2001 to 2021. Total decreases by >30%.](image_reference)
605
+
606
+ ## Global Coal Consumption²
607
+ Has Yet to Definitively Peak
608
+
609
+ ![Figure 3: Line chart showing global coal consumption in MT from 2000 to 2020.](image_reference)
610
+
611
+ ## U.S. LNG Reduces Carbon Intensity of Electricity³
612
+
613
+ ![Figure 4: Bar chart comparing the kg CO₂e per MWh of Germany domestic coal and Germany U.S. Permian LNG. Domestic coal is approximately 1,100 and U.S. Permian LNG is approximately 600.](image_reference)
614
+
615
+ >40% Reduction
616
+ in lifecycle GHG emissions
617
+ when switching from domestic
618
+ coal to imported LNG
619
+
620
+ ## Strong LNG Growth Outlook4
621
+
622
+ ![Figure 5: Stacked area chart showing strong LNG growth outlook from 2022 to 2050. Operational and under construction are represented. >300 MTPA Supply Gap by 2050](image_reference)
623
+
624
+ 1U.S E.I.A Power Plant Operations Report. 2IEA, Global Coal Consumption, 2000-2025. 3ICF International, Update to the Life-Cycle Analysis of GHG Emissions for US LNG Exports. 4Source Wood Mackenzie Q4 2022.
625
+
626
+
627
+ --- end page 17
628
+
629
+ # 10-Year Plan Reflects Durable Returns-Focused Value Proposition
630
+
631
+ ## Capital ($B)
632
+
633
+ ~$11B
634
+ 2023 Capital
635
+
636
+ 12
637
+
638
+ 9
639
+
640
+ 6
641
+
642
+ 3
643
+
644
+ 25
645
+
646
+ 20
647
+
648
+ 15
649
+
650
+ 0
651
+
652
+ 2023E
653
+
654
+ 2024-2028
655
+ Average
656
+
657
+ 2029-2032
658
+ Average
659
+
660
+ ## Production (MBOED)
661
+
662
+ ~4-5%
663
+ 10-Year
664
+ Production CAGR
665
+
666
+ 2,500
667
+
668
+ 2,000
669
+
670
+ 1,500
671
+
672
+ 1,000
673
+
674
+ 500
675
+
676
+ 0
677
+
678
+ 2023E
679
+
680
+ 2024-2028
681
+ Average
682
+
683
+ 2029-2032
684
+ Average
685
+
686
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
687
+
688
+ ## FCF ($B)
689
+
690
+ 10
691
+
692
+ $80/BBL
693
+ WTI
694
+ Upside Sensitivity
695
+
696
+ $60/BBL
697
+ WTI
698
+ Mid-Cycle
699
+ Planning Price
700
+
701
+ 0
702
+
703
+ 2023E
704
+
705
+ 2024-2028
706
+ Average
707
+
708
+ > $115B FCF
709
+ Over the Next 10 Years
710
+ at $60/BBL WTI
711
+
712
+ 2029-2032
713
+ Average
714
+
715
+ ~$35/BBL WTI FCF
716
+ Breakeven
717
+ Average Over the Next 10 Years
718
+
719
+ ConocoPhillips 18
720
+
721
+ --- end page 18
722
+
723
+ ConocoPhillips
724
+ Alaska and International
725
+ Andy O'Brien
726
+ SVP, Global Operations
727
+
728
+ --- end page 19
729
+
730
+ Alaska and International: Our Unique Diversification Advantage
731
+
732
+ Portfolio Diversification
733
+
734
+ * ~9 BBOE, <$40/BBL WTI
735
+ Cost of Supply resource base
736
+
737
+ * Leveraging existing infrastructure
738
+ across conventional assets
739
+
740
+ * Low-decline, low capital-intensity
741
+ LNG and Surmont
742
+
743
+ High-Margin Production Growth
744
+
745
+ * World-class Qatar LNG resource expansion
746
+ builds upon 20-year relationship
747
+
748
+ * Progressing Montney unconventional
749
+ toward development mode
750
+
751
+ * Investing for the future with the
752
+ high-margin Willow project
753
+
754
+ $
755
+
756
+ Significant Free Cash Flow
757
+
758
+ * Low reinvestment rate underpins
759
+ distribution capacity
760
+
761
+ * High-value, Brent-linked
762
+ production
763
+
764
+ * Delivering value with additional
765
+ APLNG shareholding interest
766
+
767
+ Free cash flow (FCF) and reinvestment rate are non-GAAP measures defined in the Appendix.
768
+
769
+ ConocoPhillips 20
770
+
771
+ --- end page 20
772
+
773
+ # Low Capital Intensity Production Growth
774
+
775
+ Material Low Cost of Supply Resource Base
776
+ Leveraging Existing Infrastructure
777
+
778
+ ~$30/BBL
779
+ Average
780
+ Cost of Supply
781
+
782
+ ![Figure 1: A cost of supply chart with the x-axis representing resource in BBOE from 0 to 9 and the y-axis representing WTI cost of supply in $/BBL from 0 to 50. There are vertical bars of different colors depicting the resource and cost of supply levels for LNG, Surmont, Montney, Conventional International, and Alaska.](image_reference)
783
+
784
+ Capital-Efficient Production Growth
785
+ Underpins Growing Distribution Capacity
786
+
787
+ Production Mix¹
788
+ Oil ~60% NGL ~5% North American Gas ~5% International Gas ~30%
789
+
790
+ ![Figure 2: A production mix chart with the x-axis representing the years 2023E, 2024-2028 Average, and 2029-2032 Average, and the y-axis representing Production in MBOED from 0 to 1,200. There are vertical bars of different colors depicting the production mix for LNG, Surmont, Montney, Conventional International, and Alaska.](image_reference)
791
+
792
+ 4% CAGR at ~40% Reinvestment Rate
793
+ Over the Next 10 Years at $60/BBL WTI
794
+
795
+
796
+ --- end page 21
797
+
798
+ # LNG: Expanding World-Class Assets
799
+
800
+ ![Figure 1: Image of a large LNG tanker docked at a port facility, with "Qatar" labeled next to the tanker.](image_reference)
801
+
802
+ ## Qatargas 3
803
+
804
+ - Legacy position supplying Asian and European markets
805
+
806
+ ## North Field Expansion Projects
807
+
808
+ - Building on our 20-year relationship with Qatar
809
+ - Awarded 2 MTPA net; NFE first LNG in 2026 and NFS in 2027
810
+ - NFE and NFS add trains 15-20 in Qatar's LNG portfolio
811
+
812
+ ## APLNG
813
+
814
+ - 90% of volumes under long-term contracts
815
+ - Increased shareholding interest by 10% in 1Q 2022; expecting to recoup ~50% of purchase price by end of 2Q 2023
816
+ - Acquiring up to an additional 2.49% shareholding interest and preparing to take over upstream operatorship upon Origin Sale¹
817
+
818
+ ![Graph 1: Bar graph showing Expanding LNG Production for 2023E, 2024-2028 Average, and 2029-2032 Average. Y-axis labeled "Production (MBOED)" from 0 to 300 in increments of 100. Series include APLNG, QG3, and Qatar Expansion.](image_reference)
819
+
820
+ ## Growing Reliable LNG Cash Flows
821
+
822
+ Subject to EIG closing its announced acquisition of Origin Energy (the current upstream operator); EIG's transaction with Origin, as well as ConocoPhillips' shareholding acquisition are subject to
823
+ Australian regulatory approvals and other customary closing conditions. The 2.49% purchase is also subject to shareholder's pre-emptive rights.
824
+
825
+ ConocoPhillips 22
826
+
827
+
828
+ --- end page 22
829
+
830
+ # Surmont: Leveraging Low Capital Intensity for Decades of Flat Production
831
+
832
+ ## Optimizing the Machine
833
+ * Record 2H 2022 production
834
+
835
+ * Low sustaining capital requirements
836
+
837
+ * Advantaged operating cost due to top-quartile steam-oil ratio
838
+
839
+ ### Production (MBOED)1
840
+
841
+ ![Figure 1: Bar chart of Production (MBOED) from 2014 to 2022. X-axis is year, Y-axis is MBOED from 0 to 80 in increments of 20. "LAST NEW PAD" and "RECORD PRODUCTION" are labeled above the 2014 and 2022 bars, respectively.](image_reference)
842
+
843
+ ## First New Pad Drilled Since 2016 Developed at <$15/BBL WTI COS
844
+ 24 Well Pairs with 25 MBOED Gross Peak Rate
845
+
846
+ ![Figure 2: Aerial view of an oil drilling site in the snow. The location "Pad 267" is noted on the image.](image_reference)
847
+
848
+ ### Average Well Cost² ($MM)
849
+
850
+ ![Figure 3: Bar chart of Average Well Cost ($MM) for 2016 Pads and Pad 267. X-axis is Pad type, Y-axis is cost in $MM from 0 to 6 in increments of 2. A downward arrow labeled "Decreased 30%" is between the two bars.](image_reference)
851
+
852
+ ## Transformative Emissions Reduction³ Opportunities
853
+ * 1/3 through current technology pilots
854
+
855
+ * 1/3 through new technologies
856
+
857
+ * CCS and offsets to achieve net-zero
858
+
859
+ ### Emissions Reduction Pathway (Net MMTeCO2e)
860
+
861
+ ![Figure 4: Line graph showing the Emissions Reduction Pathway from 2023 to 2050. The line starts at the "CURRENT TECH" level and trends down to the "NEW TECH" level, eventually to the "CCS & OFFSETS" level.](image_reference)
862
+
863
+ Production Records Achieved
864
+ Through Optimization
865
+
866
+ Raises Production Plateau
867
+ into 2030s
868
+
869
+ Multiple Options for
870
+ Emissions Reduction
871
+
872
+ 1Net before royalty shown to remove price related royalty impacts. 2Includes drill, completions and facilities (excluding pipelines). 3Net equity Scope 1 and 2 emissions.
873
+
874
+ ConocoPhillips 23
875
+
876
+
877
+ --- end page 23
878
+
879
+ # Montney: Building Another Core Unconventional Business
880
+
881
+ ### Appraisal Defined Optimal Plan
882
+ • Concluded testing of multiple well configurations and completion designs
883
+ • Recent strong well results lead to high-graded, two-layer development plan
884
+
885
+ 40
886
+ Cost of Supply Improvement
887
+ ($/BBL WTI)
888
+
889
+ Driving to
890
+ Mid-$30s CoS
891
+ 0
892
+ Current
893
+ Pads
894
+ Development
895
+ Phase
896
+
897
+ High-Graded Resource of
898
+ 1.8 BBOE at Mid-$30s CoS
899
+
900
+ ### Moving to Development Phase
901
+ • Adding second rig in 2024
902
+ • Running one continuous frac crew
903
+ • Refining completion design
904
+ • CPF2 start-up expected in 3Q 2023
905
+
906
+ ![Figure 1: CPF2](image_reference)
907
+
908
+ Leveraging
909
+ Unconventional Expertise
910
+
911
+ ### Significant Production Growth
912
+ • 60% liquids production, priced off WTI
913
+ • Long-term commercial offtake secured
914
+
915
+ 150
916
+ Production
917
+ (MBOED)
918
+
919
+ 100
920
+
921
+ 50
922
+
923
+ 0
924
+ 2023E
925
+ 2024-2028
926
+ Average
927
+ 2029-2032
928
+ Average
929
+
930
+ 20% CAGR
931
+ Over 10 Years
932
+
933
+
934
+ --- end page 24
935
+
936
+ # International Conventional: Steady Cash Flow Generator
937
+
938
+ ![Figure 1: Eldfisk](image_reference)
939
+
940
+ ## Brent-Linked Oil and International Gas
941
+
942
+ ### Norway – 115 MBOED
943
+
944
+ * Four subsea tie backs on track for onstream in 2024
945
+ * Greater Ekofisk Area license extended through 2048
946
+
947
+ ### Libya – 50 MBOED
948
+
949
+ * Increased working interest to ~20% in Waha Concession
950
+ * Long-term optionality
951
+
952
+ ### Malaysia – 40 MBOED
953
+
954
+ * Low Cost of Supply projects offsetting decline
955
+
956
+ ### China - 30 MBOED
957
+
958
+ * Production sharing contract terms aligned to 2039
959
+ * Progressing offshore windfarm in China
960
+
961
+ ### ~$1B Per Year Free Cash Flow
962
+
963
+ Over the Next 10 Years at $60/BBL WTI
964
+
965
+ [Graph 1: Production (MBOED)]
966
+
967
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
968
+ | :---- | :---- | :---------------- | :---------------- |
969
+ | Value | 213 | 225 | 202 |
970
+
971
+ Country production numbers quoted are 2023 estimates.
972
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
973
+
974
+ --- end page 25
975
+
976
+ # Alaska Conventional: Legacy World-Class Basin
977
+
978
+ ![Figure 1: Map of Alaska Conventional showing Central Processing Facility (CPF)/Project, ConocoPhillips Interest Acreage, Opportunity Reservoir Extent, Pipeline System, and Future Project](no_image_available)
979
+
980
+ * Central Processing Facility (CPF)/Project
981
+ * ConocoPhillips Interest Acreage
982
+ * Opportunity Reservoir Extent
983
+ * Pipeline System
984
+ * Future Project
985
+
986
+ **Leveraging Existing Infrastructure**
987
+
988
+ * Largest producer, with 40+ years of experience across significant infrastructure
989
+ * Robust inventory of projects with a ~$25/BBL Cost of Supply for over a decade
990
+
991
+ **Disciplined Development Plan**
992
+
993
+ ![Figure 2: Disciplined Development Plan Pie Chart](no_image_available)
994
+
995
+ * New pads filling existing capacity e.g., Nuna, E News
996
+ * ~$1B Capex per Year
997
+ * Drilling from existing pads e.g., Coyote, Fiord West Kuparuk, Torok
998
+
999
+ ![Graph 1: 100% of Production Priced at Brent+](no_image_available)
1000
+
1001
+ | | Production (MBOED) |
1002
+ | :------ | :----------------- |
1003
+ | 2023E | 195 |
1004
+ | 2024-2028 Average | 214 |
1005
+ | 2029-2032 Average | 229 |
1006
+
1007
+ 40+ Years Later, ~2-3% Production Growth
1008
+ Over the Next 10 Years
1009
+
1010
+ --- end page 26
1011
+
1012
+ # Willow: Building on Our Long History
1013
+
1014
+ ![Figure 1: Oil field Map and Legends](image_reference)
1015
+
1016
+ National Petroleum
1017
+ Reserve - Alaska
1018
+
1019
+ Western
1020
+ North Slope
1021
+ 2000
1022
+
1023
+ Greater
1024
+ Kuparuk Area
1025
+ 1981
1026
+
1027
+ Prudhoe Bay
1028
+ Non-operated
1029
+ 1977
1030
+
1031
+ Nuna
1032
+
1033
+ FWK
1034
+
1035
+ ENEWS
1036
+
1037
+ CD5
1038
+
1039
+ WILLOW
1040
+
1041
+ BT2 ▲
1042
+
1043
+ Coyote
1044
+
1045
+ ▲ 1FL NEWS
1046
+
1047
+ GMT-1
1048
+
1049
+ GMT-2
1050
+
1051
+ BT1
1052
+
1053
+ BT3
1054
+
1055
+ N
1056
+
1057
+ 0
1058
+ 10
1059
+ 20
1060
+ Miles
1061
+
1062
+ ED8
1063
+
1064
+ Alaska State
1065
+ Lands
1066
+
1067
+ Central Processing
1068
+ Facility (CPF)/Project
1069
+
1070
+ ConocoPhillips
1071
+ Interest Acreage
1072
+
1073
+ Opportunity
1074
+ Reservoir Extent
1075
+
1076
+ Pipeline System
1077
+
1078
+ Future CPF/Project
1079
+
1080
+ Willow Interest Acreage
1081
+
1082
+ ## Legacy Infrastructure
1083
+
1084
+ **13**
1085
+ Central Processing Facilities
1086
+
1087
+ **~120**
1088
+ Drill Sites
1089
+
1090
+ **~410**
1091
+ Miles of Corridor
1092
+ Road and Pipelines
1093
+
1094
+ ## Willow
1095
+
1096
+ **1**
1097
+ Central Processing Facility
1098
+
1099
+ **3**
1100
+ Drill Sites
1101
+
1102
+ **~26**
1103
+ Miles of Corridor
1104
+ Road and Pipelines
1105
+
1106
+ ## Significant Opportunity Without "Mega-Project" Risks
1107
+
1108
+ **Extensive Definition**
1109
+ 100% FEED complete at FID
1110
+
1111
+ **Simple Governance**
1112
+ 100% ConocoPhillips owned
1113
+
1114
+ **Limited Complexity**
1115
+ No "first-of-a-kind" designs
1116
+
1117
+ **Proven Execution Model**
1118
+ Executed similar drill site, pipeline
1119
+ and road scope over past five years
1120
+ with proven North Slope contractors
1121
+
1122
+ Modular facilities designed and built
1123
+ in U.S. by top-tier Gulf Coast contractors
1124
+
1125
+ ConocoPhillips 27
1126
+
1127
+ --- end page 27
1128
+
1129
+ # Willow: Delivering Competitive Returns Into the Next Decade
1130
+
1131
+ Capex of $1-1.5B per Year from 2024-2028
1132
+
1133
+ * Drill sites and drilling
1134
+ * Infrastructure, roads, pipelines, power and pads
1135
+ * Central processing facility
1136
+
1137
+ $7-7.5B
1138
+ to First Oil
1139
+
1140
+ Key Construction Milestones
1141
+
1142
+ | | | | | | | |
1143
+ | :----- | :----- | :----- | :----- | :----- | :----- | :----- |
1144
+ | 2023 | 2024 | 2025 | 2026 | 2027 | 2028 | 2029 |
1145
+ | Winter road and pipeline construction | Central processing facility fabrication and delivery | First Oil |
1146
+ | Operation center fabrication and delivery | Complete tie-ins to new drill sites and existing infrastructure | |
1147
+ | Central processing facility procurement | Commence drilling program | |
1148
+
1149
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
1150
+
1151
+ Volume Ramp and Strong Margins Drive FCF
1152
+
1153
+ Pre-drilling strategy fills facility at startup
1154
+
1155
+ Premium-quality light crude
1156
+ compared to current Alaska average
1157
+
1158
+ Leverages existing pipeline infrastructure
1159
+
1160
+ Production (MBOED)
1161
+
1162
+ Willow:
1163
+ 100% Oil
1164
+
1165
+ [Graph 1: Production (MBOED)]
1166
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1167
+ | :----- | :---- | :---------------- | :---------------- |
1168
+ | Legacy Alaska | 200 | 230 | 240 |
1169
+ | Willow | 0 | 0 | 160 |
1170
+
1171
+
1172
+ --- end page 28
1173
+
1174
+ # Alaska and International: Our Unique Diversification Advantage
1175
+
1176
+ **Capital** ($B)
1177
+
1178
+ [Graph 1: Capital Spending Forecast]
1179
+ | Period | Amount ($B) |
1180
+ |-----------------|-------------|
1181
+ | 2023E | 3.5 |
1182
+ | 2024-2028 Average | 4.3 |
1183
+ | 2029-2032 Average | 3.0 |
1184
+
1185
+ **Production** (MBOED)
1186
+
1187
+ [Graph 2: Production Forecast]
1188
+ | Period | Amount (MBOED) |
1189
+ |-----------------|----------------|
1190
+ | 2023E | 780 |
1191
+ | 2024-2028 Average | 870 |
1192
+ | 2029-2032 Average | 1,000 |
1193
+
1194
+ **FCF** ($B)
1195
+
1196
+ [Graph 3: Free Cash Flow Forecast]
1197
+ | Period | Amount ($B) |
1198
+ |-----------------|-------------|
1199
+ | 2023E | 5.2 |
1200
+ | 2024-2028 Average | 6.2 |
1201
+ | 2029-2032 Average | 7.8 |
1202
+
1203
+ $80/BBL WTI
1204
+ Upside Sensitivity
1205
+
1206
+ $60/BBL WTI
1207
+ Mid-Cycle
1208
+ Planning Price
1209
+
1210
+ > $50B FCF and ~40% Reinvestment Rate
1211
+ Over the Next 10 Years at $60/BBL WTI
1212
+
1213
+ Free cash flow (FCF) and reinvestment rate are non-GAAP measures defined in the Appendix.
1214
+
1215
+ ConocoPhillips 29
1216
+
1217
+ --- end page 29
1218
+
1219
+ ConocoPhillips
1220
+ LNG and Commercial
1221
+ Bill Bullock
1222
+ EVP and CFO
1223
+
1224
+ --- end page 30
1225
+
1226
+ # LNG Opportunities Underpinned by Strong Commercial Acumen
1227
+
1228
+ ![Figure 1: LNG image of a ship, LNG tank, and a globe.](image_reference)
1229
+
1230
+ - Rapidly Growing LNG Market
1231
+ - Robust demand in Asia and Europe driven by energy security and the energy transition
1232
+ - Qatar and Australia are foundational LNG investments
1233
+ - North American gas production fuels LNG supply growth
1234
+
1235
+ - Adding North America to Low-Cost LNG Footprint
1236
+ - Port Arthur is a premier LNG development
1237
+ - Long-term optionality on the Gulf and West Coasts
1238
+ - Offtake margins enhanced by diversion capability
1239
+
1240
+ - Extensive Commercial Footprint
1241
+ - Global market presence
1242
+ - Second-largest natural gas marketer in North America¹
1243
+ - 60+ years experience with LNG
1244
+
1245
+ ¹Natural Gas Intelligence North American Marketer Rankings as of Q3 2022, published in December 2022.
1246
+
1247
+ --- end page 31
1248
+
1249
+ # Attractive Global LNG Portfolio
1250
+
1251
+ Key LNG Supply and Demand Markets by 2035
1252
+ (ΜΤΡΑ)1
1253
+
1254
+ * Supply Demand
1255
+
1256
+ ConocoPhillips Assets at Nexus of Supply and Demand
1257
+ * Asia and Europe to remain significant demand centers
1258
+ * Qatar and Australia provide reliable LNG
1259
+ * North America dominates LNG supply growth
1260
+
1261
+ ConocoPhillips Global Net LNG Exposure
1262
+ (ΜΤΡΑ)
1263
+
1264
+ APLNG
1265
+ QG3
1266
+ NFE/NFS
1267
+ PA LNG3
1268
+
1269
+ ConocoPhillips Net LNG Capital Spend ($B)
1270
+
1271
+ ~$3.7B
1272
+ Cumulative Capital
1273
+
1274
+ [Graph 1: ConocoPhillips Global Net LNG Exposure and Net LNG Capital Spend]
1275
+ |Data|2023|2028|2032|
1276
+ |---|---|---|---|
1277
+ |APLNG|5|5|5|
1278
+ |QG3|3|3|3|
1279
+ |NFE/NFS|0|3|3|
1280
+ |PA LNG3|0|4|4|
1281
+
1282
+ |Data|2023E|2024-2028 Average|2029-2032 Average|
1283
+ |---|---|---|---|
1284
+ |Value|7|0.3|0.4|
1285
+
1286
+ 1Wood Mackenzie Q4 2022, North America as marginal supplier. 2Offtake and/or equity at Energia Costa Azul (ECA) Phase 2 and offtake from ECA Phase 1.
1287
+ 35 MTPA offtake and access to excess cargoes when Phase 1 liquefaction exceeds the 10.5 MTPA contracted under long term SPAs.
1288
+
1289
+ --- end page 32
1290
+
1291
+ # Port Arthur is a Premier LNG Development
1292
+
1293
+ ![Figure 1: Map of the United States showing the locations of Permian, Haynesville, Marcellus, PA LNG, and West Coast Optionality. An aerial view of the Port Arthur LNG facility is also shown.](image_reference)
1294
+
1295
+ *Permian*
1296
+
1297
+ *West Coast
1298
+ Optionality¹*
1299
+
1300
+ *Haynesville*
1301
+
1302
+ *PA LNG*
1303
+
1304
+ *Marcellus*
1305
+
1306
+ ## FID of Port Arthur Phase 1
1307
+
1308
+ - FERC-approved and construction-ready with high-quality operator and EPC contractor
1309
+ - ConocoPhillips to manage gas supply
1310
+ - Near Gulf Coast infrastructure and fastest growing low-cost, low-GHG gas basins
1311
+ - ConocoPhillips participation launched project
1312
+
1313
+ ## Strategic Optionality
1314
+
1315
+ - Access to low-cost uncontracted excess capacity
1316
+ - Secured long-term optionality on the Gulf and West Coasts¹
1317
+ - Prioritizing market development and offtake over additional equity
1318
+ - Evaluating development of CCS projects at Port Arthur facility
1319
+
1320
+ ## Low-Cost Offtake Secured
1321
+
1322
+ - 5 MTPA offtake from Port Arthur Phase 1²
1323
+ - Top tier liquefaction fee³
1324
+ - Marketing currently underway; receiving significant customer interest
1325
+
1326
+ ¹Offtake and/or equity on up to six additional trains at Port Arthur, offtake and/or equity at ECA Phase 2, and offtake from ECA Phase 1.
1327
+ ²20-year agreement. ³Wood Mackenzie Q4 2022, contract fixed liquefaction fees.
1328
+
1329
+ ConocoPhillips 33
1330
+
1331
+ --- end page 33
1332
+
1333
+ # ConocoPhillips Commercial Advantage
1334
+
1335
+ Port Arthur LNG Marketing Example: Sale into Germany
1336
+
1337
+ European
1338
+ Re-Gas
1339
+
1340
+ Global Marketing Presence: >10 BCFD and >1 MMBOD¹
1341
+
1342
+ * ConocoPhillips holds re-gas capacity in Germany's first
1343
+ onshore LNG terminal for portion of Port Arthur LNG
1344
+ * Captures Trading Hub Europe (THE) price with diversion
1345
+ capability when other international prices exceed THE
1346
+ * Managed and marketed by experienced ConocoPhillips
1347
+ commercial organization
1348
+
1349
+ A
1350
+ Global Gas,
1351
+ Power and LNG
1352
+
1353
+ OPTIMIZED LNG
1354
+ CASCADE PROCESS
1355
+ Licensing2
1356
+
1357
+ 1-
1358
+ Global Crude
1359
+ and NGL
1360
+
1361
+ London
1362
+ Singapore
1363
+ Houston
1364
+ Calgary
1365
+ Beijing
1366
+ Tokyo
1367
+
1368
+ 9x Equity
1369
+ Gas marketed
1370
+ globally
1371
+
1372
+ 6.0 GWh
1373
+ Power marketed
1374
+
1375
+ ~1 ΜΤΡΑ
1376
+ Spot sales
1377
+ into Asia
1378
+
1379
+ 113 ΜΤΡΑ
1380
+ Utilizing Optimized
1381
+ Cascade® Process
1382
+
1383
+ 2nd Largest
1384
+ Global LNG
1385
+ technology provider
1386
+
1387
+ 25 Cargoes
1388
+ Marketed globally
1389
+ per month
1390
+
1391
+ 45%
1392
+ Brent-linked
1393
+
1394
+ 180 MBOD
1395
+ North American
1396
+ export capacity
1397
+
1398
+ ¹FY2022 data unless otherwise footnoted. ²Based on total global installed production capacity of 113 MTPA associated with 26 licensed LNG trains in operation.
1399
+
1400
+ --- end page 34
1401
+
1402
+ ConocoPhillips
1403
+
1404
+ Lower 48
1405
+ Nick Olds
1406
+ EVP, Lower 48
1407
+
1408
+ --- end page 35
1409
+
1410
+ Premier Lower 48 Assets Underpin Our Returns-Focused Strategy
1411
+
1412
+ Industry Leader Focused
1413
+ on Maximizing Returns
1414
+
1415
+ Largest Lower 48 unconventional
1416
+ producer with deep, durable and
1417
+ diverse unconventional portfolio
1418
+
1419
+ Disciplined development optimizing
1420
+ returns and recovery
1421
+
1422
+ $
1423
+ Production and Free Cash Flow
1424
+ Growth into the Next Decade
1425
+
1426
+ Permian premising
1427
+ ~7% production growth, doubling
1428
+ free cash flow by end of decade
1429
+
1430
+ Eagle Ford and Bakken
1431
+ delivering material free cash flow
1432
+
1433
+ Delivering Continuous
1434
+ Improvements
1435
+
1436
+ Accelerating technology
1437
+ across four core basins
1438
+ to enhance value
1439
+
1440
+ Delivering on emissions reductions
1441
+ and sustainable development
1442
+
1443
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
1444
+
1445
+ ConocoPhillips 36
1446
+
1447
+ --- end page 36
1448
+
1449
+ # Deep, Durable and Diverse Portfolio with Significant Growth Runway
1450
+
1451
+ 2022 Lower 48 Unconventional Production¹ (MBOED)
1452
+
1453
+ 1,200
1454
+ ~$32/BBL
1455
+
1456
+ 1,000 ConocoPhillips
1457
+ 800
1458
+ 600
1459
+ 400
1460
+ 200
1461
+ 0
1462
+ Net Remaining Well Inventory2
1463
+
1464
+ 15,000
1465
+ ConocoPhillips
1466
+ 12,000
1467
+ 9,000
1468
+ 6,000
1469
+ 3,000
1470
+ 0
1471
+ WTI Cost of Supply ($/BBL)
1472
+ Average
1473
+ Cost of Supply
1474
+ $40
1475
+ $30
1476
+ $20
1477
+ $10
1478
+ $0
1479
+ 0
1480
+ 2
1481
+ 4
1482
+ 6
1483
+ 8
1484
+ 10
1485
+ Resource (BBOE)
1486
+ Delaware Basin
1487
+ Midland Basin
1488
+ Eagle Ford
1489
+ Bakken
1490
+ Other
1491
+
1492
+ Largest Lower 48 Unconventional Producer, Growing into the Next Decade
1493
+
1494
+ ¹Source: Wood Mackenzie Lower 48 Unconventional Plays 2022 Production. Competitors include CVX, DVN, EOG, FANG, MRO, OXY, PXD and XOM, greater than 50% liquids weight. ²Source: Wood Mackenzie (March 2023), Lower 48
1495
+ onshore operated inventory that achieves 15% IRR at $50/BBL WTI. Competitors include CVX, DVN, EOG, FANG, MRO, OXY, PXD, and XOM.
1496
+
1497
+ ConocoPhillips 37
1498
+
1499
+ --- end page 37
1500
+
1501
+ # Delaware: Vast Inventory with Proven Track Record of Performance
1502
+
1503
+ ![Figure 1: Mapa de Nuevo México y Texas, mapa de la zona de Delaware con zonas de alto y bajo coste de suministro, gráfico circular de inventario operado de Permian a 10 años](image_reference)
1504
+
1505
+ ### Prolific Acreage Spanning Over ~659,000 Net Acres¹
1506
+
1507
+ ### 12-Month Cumulative Production³ (BOE/FT)
1508
+
1509
+ [Graph 1: Producción acumulada de 12 meses]
1510
+ | Months | 2019 | 2020 | 2021 | 2022 |
1511
+ |---|---|---|---|---|
1512
+ | 1 | 5 | 6 | 7 | 7 |
1513
+ | 2 | 9 | 11 | 12 | 13 |
1514
+ | 3 | 12 | 14 | 16 | 18 |
1515
+ | 4 | 15 | 17 | 20 | 22 |
1516
+ | 5 | 18 | 20 | 23 | 26 |
1517
+ | 6 | 20 | 23 | 26 | 29 |
1518
+ | 7 | 23 | 25 | 29 | 32 |
1519
+ | 8 | 25 | 28 | 31 | 35 |
1520
+ | 9 | 27 | 30 | 34 | 37 |
1521
+ | 10 | 30 | 32 | 36 | 40 |
1522
+ | 11 | 32 | 34 | 38 | 41 |
1523
+ | 12 | 34 | 36 | 40 | 43 |
1524
+
1525
+ ~30% Improved Performance from 2019 to 2022
1526
+
1527
+ ### Delaware Basin Well Capex/EUR4 ($/BOE)
1528
+
1529
+ [Graph 2: Capex/EUR de pozos en la cuenca de Delaware]
1530
+ | | ConocoPhillips | | | | | | | |
1531
+ |---|---|---|---|---|---|---|---|---|
1532
+ | Capex/EUR | 7.6 | 10.1 | 10.2 | 10.3 | 11.5 | 12.3 | 15.3 | 19.3 | 24.8 |
1533
+
1534
+ **High Single-Digit Production Growth**
1535
+
1536
+ ¹Unconventional acres. ²Source: Enverus and ConocoPhillips (March 2023). ³Source: Enverus (March 2023) based on wells online year. ⁴Source: Enverus (March 2023). Average single well capex/EUR. Top eight public operators based on wells online in years 2021-2022, greater than 50% oil weight. COP based on COP well design. Competitors include: CVX, DVN, EOG, MTDR, OXY, PR and XOM.
1537
+
1538
+
1539
+ --- end page 38
1540
+
1541
+ # Midland: Acreage in the Heart of Liquids-Rich Basin
1542
+
1543
+ ![Figure 1: New Mexico and Texas map with a high-margin play spanning over ~251,000 net acres. Total 10-Year Operated Permian Inventory is 35% Delaware Basin and Midland Basin. A cost of supply map of low and high supplies.](image_reference)
1544
+
1545
+ High-Margin Play Spanning Over
1546
+ ~251,000 Net Acres¹
1547
+
1548
+ 12-Month Cumulative Production³ (BOE/FT)
1549
+
1550
+ ![Graph 1: 12-Month Cumulative Production (BOE/FT), with months on the X axis and the rate on the Y axis.](image_reference)
1551
+
1552
+ Midland Basin Well Capex/EUR4 ($/BOE)
1553
+
1554
+ ![Graph 2: Midland Basin Well Capex/EUR, with the company and amount in $/BOE.](image_reference)
1555
+
1556
+ Low to Mid Single-Digit Production Growth
1557
+
1558
+ Unconventional acres. ²Source: Enverus and ConocoPhillips (March 2023). ³Source: Enverus (March 2023) based on wells online year.
1559
+ 4Source: Enverus (March 2023). Average single well capex/EUR. Top eight public operators based on wells online in years 2021-2022, greater than 50% oil weight. Competitors include FANG, OVV, OXY, PXD, SM, VTLE and XOM.
1560
+
1561
+ --- end page 39
1562
+
1563
+ # Continuously Optimizing Permian Acreage and Value
1564
+
1565
+ ## Acreage Trades
1566
+ ### Illustration
1567
+ Pre-Trade
1568
+
1569
+ Post-Trade
1570
+
1571
+ ConocoPhillips Acreage Trade-in Trade-out
1572
+
1573
+ ### Trade Area
1574
+ LOVING
1575
+
1576
+ REEVES
1577
+
1578
+ ## Permian-Operated Inventory
1579
+ Complementary Positions Enable
1580
+ Trade and Core-Up Opportunities
1581
+
1582
+ ~30-40% Cost of Supply Improvement
1583
+ from Lateral-Length Extensions
1584
+
1585
+ ~60%
1586
+ 2 miles
1587
+ or greater
1588
+
1589
+ ## Recent Acreage Trade Metrics
1590
+ ↑2x
1591
+ Lateral Length
1592
+
1593
+ 30%
1594
+ Capex/FT
1595
+
1596
+ 130%
1597
+ Cost of Supply
1598
+
1599
+ ~20%
1600
+ 1.5 miles
1601
+ to 2 miles
1602
+
1603
+ Vast Long-Lateral Inventory Enhances Returns and Durability
1604
+
1605
+ ConocoPhillips 40
1606
+
1607
+
1608
+ --- end page 40
1609
+
1610
+ # Permian Drives Free Cash Flow in Lower 48
1611
+
1612
+ ~7%
1613
+ 10-Year Production CAGR
1614
+
1615
+ Production (MBOED)
1616
+
1617
+ Growing to Plateau
1618
+ in the 2nd Decade
1619
+
1620
+ ~$50%
1621
+ Reinvestment Rate¹
1622
+
1623
+ < $35/BBL
1624
+ Program Cost of Supply
1625
+
1626
+ FCF ($B)
1627
+
1628
+ ~$45B FCF
1629
+ Generated Over
1630
+ the Next 10 Years
1631
+ at $60/BBL WTI
1632
+
1633
+ | 2023E | 2024-2028 Average | 2029-2032 Average |
1634
+ | ----------- | ----------- | ----------- |
1635
+ | 2023E | 2024-2028 Average | 2029-2032 Average |
1636
+ | $60/BBL WTI Mid-Cycle Planning Price | $80/BBL WTI Upside Sensitivity |
1637
+
1638
+ Top-Tier Permian Position, Growing into the Next Decade
1639
+
1640
+ ¹Over the next 10 years at $60/bbl.
1641
+ Reinvestment rate and free cash flow (FCF) are non-GAAP measures defined in the Appendix.
1642
+
1643
+ --- end page 41
1644
+
1645
+ # Eagle Ford and Bakken Delivering Material Free Cash Flow
1646
+
1647
+ ~199,000 Net Acres¹ in Eagle Ford
1648
+ ~560,000 Net Acres¹ in Bakken
1649
+
1650
+ Consistent and Proven Track Record
1651
+ in Basin Sweet Spots
1652
+
1653
+ Sustains Production
1654
+ Over the Decade
1655
+
1656
+ ![Figure 1: Maps showing Eagle Ford and Bakken with areas shaded according to cost of supply.](image_reference)
1657
+
1658
+ Eagle Ford
1659
+
1660
+ Bakken
1661
+
1662
+ Low
1663
+ High
1664
+ Cost of Supply²
1665
+
1666
+ [Graph 1: Eagle Ford Well Capex/EUR³ ($/BOE)]
1667
+ | | ConocoPhillips |
1668
+ | ----------- | ----------- |
1669
+ | | 10 |
1670
+ | | 20 |
1671
+ | | 30 |
1672
+
1673
+ [Graph 2: Bakken Well Capex/EUR⁴ ($/BOE)]
1674
+ | | ConocoPhillips |
1675
+ | ----------- | ----------- |
1676
+ | | 8 |
1677
+ | | 10 |
1678
+ | | 15 |
1679
+
1680
+ [Graph 3: Production (MBOED)]
1681
+ | Metric | 2023E | 2024-2028 Average | 2029-2032 Average |
1682
+ | ----------- | ----------- | ----------- | ----------- |
1683
+ | Bakken | 100 | 100 | 90 |
1684
+ | Eagle Ford | 230 | 230 | 240 |
1685
+ | | 300 | 300 | 300 |
1686
+ | | 400 | 400 | 400 |
1687
+
1688
+ Delivers ~$20B FCF
1689
+ Over the Next 10 Years at $60/BBL WTI
1690
+
1691
+ ¹Unconventional acres. ²Source: Enverus and ConocoPhillips (March 2023). ³Source: Enverus (March 2023); Average single well capex/EUR; Top eight public operators based on wells online in vintage years 2019-2022, greater than
1692
+ 50% oil weight; Competitors include: BP, CHK, CPE, DVN, EOG, MGY and MRO. ⁴Source: Enverus (March 2023); Average single well capex/EUR; Top eight operators based on wells online in vintage years 2019-2022, greater than 50%
1693
+ oil weight; Competitors include CHRD, Continental, DVN, ERF, HES, MRO and XOM.
1694
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
1695
+
1696
+ --- end page 42
1697
+
1698
+ # Enhancing Value and Lowering Emissions through Technology
1699
+
1700
+ ## Drilling
1701
+
1702
+ ![Figure 1: Permian Real-Time Ops Center](image_reference)
1703
+
1704
+ Permian Real-Time Ops Center
1705
+
1706
+ Real-time analytics
1707
+ improve curve build
1708
+ time by 20% in Eagle Ford
1709
+
1710
+ Permian drilling efficiencies¹
1711
+ improved ~50% since 2019
1712
+
1713
+ ## Completions
1714
+
1715
+ ![Figure 2: E-Frac](image_reference)
1716
+
1717
+ E-Frac
1718
+
1719
+ Dual fuel and E-frac
1720
+ reduce emissions ~10% to ~40%
1721
+ compared to diesel
1722
+
1723
+ >50% of Permian completions
1724
+ to be Simulfrac'd in 2023
1725
+
1726
+ ## Operations
1727
+
1728
+ ![Figure 3: Autonomous Drone Pilot](image_reference)
1729
+
1730
+ Autonomous Drone Pilot
1731
+
1732
+ Real-time intelligent
1733
+ production surveillance, automation
1734
+ and process optimization
1735
+
1736
+ Drone-based surveillance increases
1737
+ inspection frequency
1738
+
1739
+ Leveraging Operational Wins Across Core Four Basins
1740
+
1741
+ ¹Permian drilling efficiencies defined as measured depth (feet) per day.
1742
+
1743
+
1744
+ --- end page 43
1745
+
1746
+ # Delivering on Emissions Reductions and Sustainable Development
1747
+
1748
+ Lower 48 GHG Intensity¹ (kg CO2e/BOE)
1749
+
1750
+ 28
1751
+
1752
+ 2019
1753
+
1754
+ ~50%
1755
+ Reduction
1756
+
1757
+ <15
1758
+
1759
+ 2022²
1760
+
1761
+ Lower 48 Associated Gas Flaring³ (%)
1762
+
1763
+ 1.7%
1764
+
1765
+ ~80%
1766
+ Reduction
1767
+
1768
+ 2019
1769
+
1770
+ 0.3%
1771
+
1772
+ 2022²
1773
+
1774
+ Permian Recycled Frac Water (%)
1775
+
1776
+ 52%
1777
+
1778
+ >3X
1779
+ Increase
1780
+
1781
+ 2019
1782
+
1783
+ 11%
1784
+
1785
+ 2022
1786
+
1787
+ # Focused Plans to Further Reduce Emissions and Maximize Water Reuse
1788
+
1789
+ Reducing
1790
+ Methane and Flaring
1791
+
1792
+ Improving
1793
+ Facilities Design
1794
+
1795
+ Electrifying
1796
+ Compression
1797
+
1798
+ Optimizing
1799
+ D&C Power
1800
+
1801
+ Water
1802
+ Conservation
1803
+
1804
+ ¹Gross operated GHG Emissions (Scope 1 and 2). ²Preliminary estimates. Includes Permian, Eagle Ford and Bakken only. ³Excludes safety, assist gas, pilot gas, tanks and emergency shutdown flaring.
1805
+
1806
+ --- end page 44
1807
+
1808
+ # Significant Free Cash Flow Growth Over the Decade
1809
+
1810
+ ## Capital ($B)
1811
+
1812
+ [Graph 1: Capital ($B)]
1813
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1814
+ | ----------- | ----------- | ----------- | ----------- |
1815
+ | | 6 | 7 | 8 |
1816
+
1817
+ ## Production (MBOED)
1818
+
1819
+ [Graph 2: Production (MBOED)]
1820
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1821
+ | ----------- | ----------- | ----------- | ----------- |
1822
+ | | 1,100 | 1,300 | 1,450 |
1823
+
1824
+ ## FCF ($B)
1825
+
1826
+ [Graph 3: FCF ($B)]
1827
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1828
+ | ----------- | ----------- | ----------- | ----------- |
1829
+ | | 6.5 | 8 | 12 |
1830
+
1831
+ $80/BBL WTI
1832
+ Upside Sensitivity
1833
+
1834
+ $60/BBL WTI
1835
+ Mid-Cycle Planning Price
1836
+
1837
+ ~$65B FCF and ~50% Reinvestment Rate
1838
+ Over the Next 10 Years at $60/BBL WTI
1839
+
1840
+ --- end page 45
1841
+
1842
+ ConocoPhillips
1843
+
1844
+ # Financial Plan
1845
+
1846
+ Bill Bullock
1847
+ EVP and CFO
1848
+
1849
+ --- end page 46
1850
+
1851
+ A Financial Plan with Durability of Returns and Cash Flow Growth
1852
+
1853
+ Consistent Returns
1854
+ on and of Capital
1855
+
1856
+ Peer-leading ROCE
1857
+ improving through time
1858
+
1859
+ CFO-based distribution framework
1860
+ with compelling shareholder returns
1861
+
1862
+ Cash Flow Growth
1863
+ into the Next Decade
1864
+
1865
+ ~6% CFO CAGR1
1866
+ through the plan
1867
+
1868
+ Disciplined capital investment
1869
+ accelerates FCF growth
1870
+
1871
+ Battle-Tested
1872
+ Financial Priorities
1873
+
1874
+ 'A'-rated balance sheet
1875
+ resilient through cycles
1876
+
1877
+ Stress-tested
1878
+ financial durability
1879
+
1880
+ 1CAGR calculated from FY2024 at $60/BBL WTI.
1881
+ Return on capital employed (ROCE), cash from operations (CFO) and free cash flow (FCF) are non-GAAP measures defined in the Appendix.
1882
+
1883
+ --- end page 47
1884
+
1885
+ # Committed to Top-Quartile Returns on Capital
1886
+
1887
+ ## Five-Year Average ROCE¹
1888
+ Peer-Leading ROCE Performance
1889
+
1890
+ ![Figure 1: A bar chart displays five-year average ROCE. The y-axis is labeled with percentages from 0% to 16%, in increments of 2%. The x-axis displays data for ConocoPhillips, independent peers, and integrated peers. ConocoPhillips is represented by a red bar reaching 14%. Independent peers are represented by a series of grey bars of decreasing height. Integrated peers are represented by a series of darker grey bars, also decreasing in height.](image.png)
1891
+
1892
+ ## Earnings ($B)
1893
+ Low Cost of Supply Investments Fuel Expanding Margins
1894
+
1895
+ ~10% CAGR
1896
+ 2024-2032 at $60/BBL WTI
1897
+
1898
+ ![Figure 2: A bar chart displays earnings in billions of dollars. The y-axis is labeled with values from 0 to 30. The x-axis displays the years 2023E, 2024-2028 Average, and 2029-2032 Average, each with a blue bar rising to around 11, 14, and 18 respectively.](image.png)
1899
+
1900
+ ## Return on Capital Employed (ROCE)
1901
+ Near-Term Delivery of S&P 500 Top-Quartile ROCE
1902
+
1903
+ ![Figure 3: A bar chart displays the return on capital employed (ROCE). The y-axis displays values from 0% to 40%, in increments of 10%. The x-axis shows 2023E, 2024-2028 Average, and 2029-2032 Average, each with a blue bar, and with a green line indicating the S&P 500 Top Quartile.](image.png)
1904
+
1905
+ 1Source: Bloomberg Return on Capital 2018 through 2022. 2Integrated peers include CVX and XOM. Independent peers include APA, DVN, EOG, HES, OXY and PXD. 3Represents top quartile of five-year average ROCE (2018-2022)
1906
+ for constituents as of December 31, 2022.
1907
+ Earnings refers to net income. Return on capital employed (ROCE) is a non-GAAP measure defined in the Appendix.
1908
+
1909
+
1910
+ --- end page 48
1911
+
1912
+ # Cash Flow Growth into the Next Decade
1913
+
1914
+ ## Cash From Operations ($B)
1915
+
1916
+ ![Graph 1: Cash From Operations ($B)](image_reference)
1917
+
1918
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1919
+ | -------------------------- | ----- | ----------------- | ----------------- |
1920
+ | $60/BBL WTI Mid-Cycle Planning Price | 22 | 24 | 27 |
1921
+ | $80/BBL WTI Upside Sensitivity | | 3 | 7 |
1922
+
1923
+ ~6% CAGR
1924
+ 2024-2032 at $60/BBL WTI
1925
+
1926
+ ## Free Cash Flow ($B)
1927
+
1928
+ ![Graph 2: Free Cash Flow ($B)](image_reference)
1929
+
1930
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1931
+ | -------------------------- | ----- | ----------------- | ----------------- |
1932
+ | $60/BBL WTI Mid-Cycle Planning Price | 11 | 13 | 18 |
1933
+ | $80/BBL WTI Upside Sensitivity | | 2 | 5 |
1934
+
1935
+ ~11% CAGR
1936
+ 2024-2032 at $60/BBL WTI
1937
+
1938
+ ~$3.5B of Annual CFO is from
1939
+ Longer-Cycle Projects¹
1940
+ 2029-2032 Average at $60/BBL WTI
1941
+
1942
+ > $115B FCF Available
1943
+ for Distribution
1944
+ Over the Next 10 Years at $60/BBL WTI
1945
+
1946
+ ¹2029-2032 annual average CFO from longer-cycle projects of ~$5B at $80/BBL WTI. Longer-cycle projects are Willow, Port Arthur LNG Phase 1 and North Field Expansions.
1947
+ Cash from operations (CFO) and free cash flow (FCF) are non-GAAP measures defined in the Appendix.
1948
+
1949
+ --- end page 49
1950
+
1951
+ # CFO-Based Framework Delivers Leading Returns of Capital
1952
+
1953
+ ## Five-Year Distribution as % of CFO1
1954
+ Consistent Execution on Our Priorities
1955
+
1956
+ ![Graph 1: Five-Year Distribution as % of CFO1 Chart](image_reference)
1957
+
1958
+ | | |
1959
+ | ----------- | ----------- |
1960
+ | ConocoPhillips | 44% |
1961
+ | Integrated Peers³ | 41% |
1962
+ | Independent Peers³ | 34% |
1963
+
1964
+ ## Five-Year Distribution Yield2
1965
+ Track Record of Leading Distributions
1966
+
1967
+ ![Graph 2: Five-Year Distribution Yield2 Chart](image_reference)
1968
+
1969
+ | | |
1970
+ | ----------- | ----------- |
1971
+ | ConocoPhillips | 7% |
1972
+ | Independent Peers³ | 6% |
1973
+ | Integrated Peers³ | 5% |
1974
+
1975
+ ## Compelling Shareholder Returns Through Cycles
1976
+
1977
+ ### Tier 1
1978
+ Ordinary Dividend
1979
+
1980
+ S&P Top-Quartile
1981
+ Dividend Growth
1982
+
1983
+ +
1984
+
1985
+ ### Tier 2
1986
+ Share Buybacks
1987
+
1988
+ Reduces Absolute
1989
+ Dividend Over Time
1990
+
1991
+ +
1992
+
1993
+ ### Tier 3
1994
+ VROC
1995
+
1996
+ Flexible Channel for
1997
+ Higher Commodity Prices
1998
+
1999
+ <sup>1</sup>Source: Bloomberg. 2018-2022 weighted-average of dividend paid and share buybacks as a percentage of CFO. <sup>2</sup>Source: Bloomberg; 2018-2022 average of dividend paid and share buybacks as a percentage of year-end market cap.
2000
+ <sup>3</sup>Integrated peers include CVX and XOM. Independent peers include APA, DVN, EOG, HES, OXY and PXD.
2001
+ Cash from operations (CFO) is a non-GAAP measure defined in the Appendix.
2002
+
2003
+ ConocoPhillips 50
2004
+
2005
+ --- end page 50
2006
+
2007
+ # Fortress Balance Sheet: A Strategic Asset
2008
+
2009
+ ### Gross Debt Profile
2010
+
2011
+ $20B
2012
+
2013
+ $3B
2014
+
2015
+ $17B
2016
+
2017
+ $2B
2018
+
2019
+ $15B
2020
+
2021
+ 2021
2022
+ Debt Reduction
2023
+ Achieved
2024
+ 2022
2025
+ Natural
2026
+ Maturities
2027
+ 2026
2028
+
2029
+ ### On Target
2030
+
2031
+ $5B debt reduction by 2026
2032
+
2033
+ ~$250MM/year interest reduction
2034
+
2035
+ Weighted-average maturity extension of three years
2036
+
2037
+ ### Net Debt/CFO
2038
+ Consensus 2023¹
2039
+
2040
+ 3.0X
2041
+
2042
+ 2.0X
2043
+
2044
+ 1.0X
2045
+
2046
+ 0.0X
2047
+
2048
+ Integrated
2049
+ Peers²
2050
+ ConocoPhillips
2051
+ 0.3x
2052
+ Independent
2053
+ Peers ²
2054
+ S&P 500
2055
+ Energy
2056
+ S&P 500
2057
+
2058
+ ### Net Debt/CFO at $60/BBL WTI
2059
+
2060
+ 0.3x
2061
+
2062
+ 0.2x
2063
+
2064
+ 2024-2028
2065
+ Average
2066
+ 2029-2032
2067
+ Average
2068
+
2069
+ Source: Bloomberg Net Debt to CFO. As of March 30, 2023. ²Integrated peers include CVX and XOM. Independent peers include APA, DVN, EOG, HES, OXY and PXD.
2070
+ Net debt and cash from operations (CFO) are non-GAAP measures defined in the Appendix.
2071
+
2072
+ --- end page 51
2073
+
2074
+ # Plan Resilient Through Stress Test
2075
+
2076
+ Our Rationale for Holding Cash
2077
+
2078
+ 1.5x
2079
+ Two-Year $40/BBL WTI¹ Stress Test
2080
+ Net Debt/CFO
2081
+
2082
+ Longer-cycle projects
2083
+
2084
+ 1.0x
2085
+ Share buybacks
2086
+
2087
+ 0.5x
2088
+ Strategic
2089
+ Cash
2090
+ Down-cycle price protection
2091
+
2092
+ 0.0x
2093
+ 2023
2094
+ Consensus²
2095
+ 2024
2096
+ 2025
2097
+ 2026
2098
+ 2027
2099
+ 2028
2100
+ Business development
2101
+ optionality
2102
+
2103
+ $60/BBL WTI (Base Plan) Two-Years at $40/BBL WTI
2104
+ Reserve Cash
2105
+ ~$2-3B
2106
+ Maintain near-term
2107
+ operating plan even with
2108
+ price volatility
2109
+
2110
+ Cash and CFO Fund Consistent Execution in Low Price Scenario
2111
+
2112
+ Maintain capital program,
2113
+ including longer-cycle projects
2114
+
2115
+ Meet 30% distribution commitment through
2116
+ ordinary dividend and share buybacks
2117
+ Operating Cash
2118
+ ~$1B
2119
+ Daily operating and
2120
+ working capital
2121
+
2122
+ <1.5x leverage ratio through the down-cycle
2123
+
2124
+ No additional debt required
2125
+
2126
+ ¹2022 Real, escalating at 2.25% annually. ²Source: Bloomberg Net Debt to CFO. As of March 30, 2023.
2127
+ Net debt and cash from operations (CFO) are non-GAAP measures defined in the Appendix.
2128
+
2129
+ --- end page 52
2130
+
2131
+ # A Powerful Plan with Differential Upside
2132
+
2133
+ $350
2134
+
2135
+ 10-Year Plan ($B)
2136
+ 2023-2032
2137
+
2138
+ $300
2139
+
2140
+ CFO at
2141
+ $80/BBL WTI
2142
+ Upside Sensitivity
2143
+
2144
+ $250
2145
+
2146
+ $200
2147
+
2148
+ $150
2149
+
2150
+ $100
2151
+
2152
+ $50
2153
+ Additional
2154
+ Distributions
2155
+
2156
+ CFO at
2157
+ $60/BBL WTI
2158
+ Mid-Cycle
2159
+ Planning Price
2160
+
2161
+ 30% of CFO
2162
+ Distribution
2163
+ Commitment
2164
+
2165
+ Capital
2166
+
2167
+ $0
2168
+ Cash 1
2169
+
2170
+ Cash¹
2171
+ Sources
2172
+ Uses
2173
+
2174
+ Peer leading ROCE improving through time
2175
+
2176
+ Top quartile ordinary dividend growth
2177
+
2178
+ >90% market cap² distributed
2179
+
2180
+ ~$35/BBL WTI FCF Breakeven³
2181
+
2182
+ ~6% CFO CAGR, ~11% FCF CAGR
2183
+
2184
+ Unhedged for price upside
2185
+
2186
+ Cash includes cash, cash equivalents, restricted cash and short-term investments. ²Market cap of ~$121B at March 31, 2023 close. ³Average over the next 10 years.
2187
+ CAGRs calculated from FY2024 at $60/BBL WTI. Cash from operations (CFO), free cash flow (FCF) and return on capital employed (ROCE) are non-GAAP measures. Definitions are included in the Appendix.
2188
+
2189
+ ConocoPhillips 53
2190
+
2191
+
2192
+ --- end page 53
2193
+
2194
+ ConocoPhillips
2195
+
2196
+ # Closing
2197
+
2198
+ Ryan Lance
2199
+ Chairman and CEO
2200
+
2201
+ --- end page 54
2202
+
2203
+ # ConocoPhillips Remains the Must-Own E&P Company
2204
+
2205
+ ## What You
2206
+ ## Heard Today
2207
+
2208
+ We are committed to
2209
+ delivering superior returns
2210
+ **on** and **of** capital
2211
+ through the cycles
2212
+
2213
+ We have a **deep, durable**
2214
+ and **diverse** portfolio
2215
+
2216
+ We are progressing our
2217
+ **2050 Net-Zero ambition** and
2218
+ accelerating our 2030 GHG emissions
2219
+ intensity reduction target
2220
+
2221
+ ## Foundational
2222
+ ## Principles
2223
+
2224
+ Balance Sheet
2225
+ Strength
2226
+
2227
+ Disciplined
2228
+ Investments
2229
+
2230
+ **RETURNS**
2231
+
2232
+ Peer-Leading
2233
+ Distributions
2234
+
2235
+ ESG
2236
+ Excellence
2237
+
2238
+ Deliver Superior Returns
2239
+ Through Cycles
2240
+
2241
+ ## A Compelling Returns
2242
+ ## Focused 10-Year Plan
2243
+
2244
+ *Peer leading* ROCE
2245
+ *improving through time*
2246
+
2247
+ **Top quartile** ordinary dividend growth
2248
+
2249
+ **>90% market cap¹ distributed**
2250
+
2251
+ **~$35/BBL** WTI FCF Breakeven²
2252
+
2253
+ **~6%** CFO CAGR, **~11%** FCF CAGR
2254
+
2255
+ Unhedged for **price upside**
2256
+
2257
+ ¹Market cap of ~$121B at March 31, 2023 close. ²Average over the next ten years.
2258
+ CAGRs calculated from FY2024 at $60/BBL WTI. Cash from operations (CFO), free cash flow (FCF) and return on capital employed (ROCE) are non-GAAP measures defined in the appendix.
2259
+
2260
+ ConocoPhillips 55
2261
+
2262
+ --- end page 55
2263
+
2264
+ ConocoPhillips
2265
+ # Appendix
2266
+
2267
+ Reconciliations, Abbreviations and Definitions
2268
+
2269
+ --- end page 56
2270
+
2271
+ # Abbreviations
2272
+
2273
+ APLNG: Australia Pacific LNG
2274
+ B: billion
2275
+ BBL: barrel
2276
+ BBOE: billions of barrels of oil equivalent
2277
+ BCFD: billion cubic feet per day
2278
+ BOE: barrels of oil equivalent
2279
+ CAGR: compound annual growth rate
2280
+ CAPEX: capital expenditures and investments
2281
+ CCS: carbon capture and storage
2282
+ CFO: cash from operations
2283
+ CO2: carbon dioxide
2284
+ CO₂e: carbon dioxide equivalent
2285
+ CoS: Cost of Supply
2286
+ CPF: central processing facility
2287
+ E-FRAC: electric frac
2288
+ EMENA: Europe, Middle East and North Africa
2289
+ EPC: engineering procurement and construction
2290
+ ESG: environmental, social and governance
2291
+ EUR: estimated ultimate recovery
2292
+ FEED: front end engineering design
2293
+ FERC: Federal Energy Regulatory Commission
2294
+ FCF: free cash flow
2295
+ FID: final investment decision
2296
+ FT: foot
2297
+ G&A: general and administrative
2298
+ GAAP: generally accepted accounting principles
2299
+ GHG: greenhouse gas emissions
2300
+
2301
+ GKA: Greater Kuparuk Area
2302
+ GPA: Greater Prudhoe Area
2303
+ GWA: Greater Willow Area
2304
+ GWh: gigawatt-hour
2305
+ KG: kilograms
2306
+ LNG: liquefied natural gas
2307
+ MBOD: thousands of barrels of oil per day
2308
+ MBOED: thousands of barrels of oil equivalent per day
2309
+ MM: million
2310
+ MMBOD: millions of barrels of oil per day
2311
+ MMBOED: millions of barrels of oil equivalent per day
2312
+ MT: million tonnes
2313
+ MTPA: million tonnes per annum
2314
+ MWh: megawatt-hour
2315
+ NFE: North Field East
2316
+ NFS: North Field South
2317
+ NGL: natural gas liquids
2318
+ OPEX: operating expenses
2319
+ PA LNG: Port Arthur LNG
2320
+ QG3: Qatargas 3
2321
+ ROCE: return on capital employed
2322
+ Te: tonnes
2323
+ THE: Trading Hub Europe
2324
+ VROC: variable return of cash
2325
+ WNS: Western North Slope
2326
+ WTI: West Texas Intermediate
2327
+
2328
+ ConocoPhillips 57
2329
+
2330
+ --- end page 57
2331
+
2332
+ # Non-GAAP Reconciliations
2333
+
2334
+ Use of Non-GAAP Financial Information: ConocoPhillips' financial information includes information prepared in conformity with generally accepted accounting principles
2335
+ (GAAP) as well as non-GAAP information. It is management's intent to provide non-GAAP financial information to enhance understanding of our consolidated financial information
2336
+ as prepared in accordance with GAAP. This non-GAAP information should be considered by the reader in addition to, but not instead of, the financial statements prepared in
2337
+ accordance with GAAP. Each historical non-GAAP financial measure included in this presentation is presented along with the corresponding GAAP measure, so as not to imply that
2338
+ more emphasis should be placed on the non-GAAP measure. The non-GAAP financial information presented may be determined or calculated differently by other companies.
2339
+
2340
+ # Reconciliation of Return on Capital Employed (ROCE)
2341
+
2342
+ [Table 1: Reconciliation of Return on Capital Employed (ROCE)]
2343
+ | | 2016 | 2019 | 2022 |
2344
+ | ---------------------------------------------------------------- | ------- | ------- | ------- |
2345
+ | **Numerator** | | | |
2346
+ | Net Income (Loss) Attributable to ConocoPhillips | (3,615) | 7,189 | 18,680 |
2347
+ | Adjustment to Exclude Special Items | 307 | (3,153) | (1,340) |
2348
+ | Net Income Attributable to Noncontrolling Interests | 56 | 68 | - |
2349
+ | After-tax Interest Expense | 796 | 637 | 641 |
2350
+ | ROCE Earnings | (2,456) | 4,741 | 17,981 |
2351
+ | | | | |
2352
+ | **Denominator** | | | |
2353
+ | Average Total Equity¹ | 37,837 | 33,713 | 48,801 |
2354
+ | Average Total Debt² | 28,225 | 14,930 | 17,742 |
2355
+ | Average Capital Employed | 66,062 | 48,643 | 66,543 |
2356
+ | | | | |
2357
+ | ROCE (percent) | -4% | 10% | 27% |
2358
+
2359
+ ¹Average total equity is the average of beginning total equity and ending total equity by quarter.
2360
+ ²Average total debt is the average of beginning long-term debt and short-term debt and ending long-term debt and short-term debt by quarter.
2361
+
2362
+ --- end page 58
2363
+
2364
+ # Non-GAAP Reconciliations – Continued
2365
+
2366
+ Reconciliation of Net Cash Provided by Operating Activities to Cash from Operations to Free Cash Flow
2367
+ ($ Millions, Except as Indicated)
2368
+
2369
+ | | 2016 | 2019 | 2022 |
2370
+ |---------------------|-------|-------|-------|
2371
+ | Net Cash Provided by Operating Activities | 4,403 | 11,104 | 28,314 |
2372
+ | Adjustments: | | | |
2373
+ | Net Operating Working Capital Changes | (481) | (579) | (234) |
2374
+ | Cash from Operations | 4,884 | 11,683 | 28,548 |
2375
+ | Capital Expenditures and Investments | (4,869) | (6,636) | (10,159) |
2376
+ | Free Cash Flow | 15 | 5,047 | 18,389 |
2377
+
2378
+ Reconciliation of Debt to Net Debt ($ Millions, Except as Indicated)
2379
+
2380
+ | | 2016 | 2019 | 2022 |
2381
+ |----------------|--------|--------|--------|
2382
+ | Total Debt | 27,275 | 14,895 | 16,643 |
2383
+ | Less: | | | |
2384
+ | Cash and Cash Equivalents¹ | 3,610 | 5,362 | 6,694 |
2385
+ | Short-Term Investments | 50 | 3,028 | 2,785 |
2386
+ | Net Debt | 23,615 | 6,505 | 7,164 |
2387
+
2388
+ ¹Includes restricted cash of $0.3B in 2019 and $0.2B in 2022.
2389
+
2390
+ --- end page 59
2391
+
2392
+ ## Non-GAAP Reconciliations – Continued
2393
+
2394
+ Reconciliation of Reinvestment Rate ($ Millions, Except as Indicated)
2395
+
2396
+ [Table 1: Reconciliation of Reinvestment Rate]
2397
+ | | 2012 | 2013 | 2014 | 2015 | 2016 | 2017 | 2018 | 2019 | 2020 | 2021 | 2022 |
2398
+ | :--------------------- | :---- | :---- | :---- | :---- | :---- | :---- | :---- | :---- | :---- | :---- | :---- |
2399
+ | Numerator | | | | | | | | | | | |
2400
+ | Capital Expenditure and Investments | 14,172 | 15,537 | 17,085 | 10,050 | 4,869 | 4,591 | 6,750 | 6,636 | 4,715 | 5,324 | 10,159 |
2401
+ | Denominator | | | | | | | | | | | |
2402
+ | Net Cash Provided by Operating Activities | 13,922 | 16,087 | 16,735 | 7,572 | 4,403 | 7,077 | 12,934 | 11,104 | 4,802 | 16,996 | 28,314 |
2403
+ | Net Operating Working Capital Changes | (1,239) | 48 | (505) | (22) | (481) | 15 | 635 | (579) | (372) | 1,271 | (234) |
2404
+ | Cash from Operations | 15,161 | 16,039 | 17,240 | 7,594 | 4,884 | 7,062 | 12,299 | 11,683 | 5,174 | 15,725 | 28,548 |
2405
+ | Reinvestment Rate | 93% | 97% | 99% | 132% | 100% | 65% | 55% | 57% | 91% | 34% | 36% |
2406
+
2407
+ **104%** Average 2012-2016 Reinvestment Rate
2408
+
2409
+ **56%** Average 2017-2022 Reinvestment Rate
2410
+
2411
+ Reinvestment rates in 2012-2016 and 2017-2022 columns represent the simple averages of corresponding years.
2412
+
2413
+ --- end page 60
2414
+
2415
+ # Definitions
2416
+
2417
+ Non-GAAP Measures
2418
+
2419
+ Cash from operations (CFO) is calculated by removing the impact from operating working capital from cash provided by operating activities. The company believes that the non-
2420
+ GAAP measure cash from operations is useful to investors to help understand changes in cash provided by operating activities excluding the impact of working capital changes
2421
+ across periods on a consistent basis and with the performance of peer companies in a manner that, when viewed in combination with the Company's results prepared in accordance
2422
+ with GAAP, provides a more complete understanding of the factors and trends affecting the Company's business and performance. Additionally, when the company estimates CFO
2423
+ based on sensitivities, it assumes no operating working capital changes, and therefore CFO equals cash provided by operating activities.
2424
+
2425
+ Free cash flow is defined as cash from operations net of capital expenditures and investments. The company believes free cash flow is useful to investors in understanding how
2426
+ existing cash from operations is utilized as a source for sustaining our current capital plan and future development growth. Free cash flow is not a measure of cash available for
2427
+ discretionary expenditures since the company has certain non-discretionary obligations such as debt service that are not deducted from the measure.
2428
+
2429
+ Net debt includes total balance sheet debt less cash, cash equivalents and short-term investments. The company believes this non-GAAP measure is useful to investors as it
2430
+ provides a measure to compare debt less cash, cash equivalents and short-term investments across periods on a consistent basis.
2431
+
2432
+ Reinvestment rate defined as total capital expenditures divided by cash from operations. Cash from operations is a non-GAAP measure defined in this Appendix. The company
2433
+ believes reinvestment rate is useful to investors in understanding the execution of the company's disciplined and returns-focused capital allocation strategy.
2434
+
2435
+ Return on capital employed (ROCE) is a measure of the profitability of the company's capital employed in its business operations compared with that of its peers. The company
2436
+ calculates ROCE as a ratio, the numerator of which is net income, and the denominator of which is average total equity plus average total debt. The net income is adjusted for
2437
+ after-tax interest expense, for the purposes of measuring efficiency of debt capital used in operations; net income is also adjusted for non-operational or special items impacts to
2438
+ allow for comparability in the long-term view across periods. The company believes ROCE is a good indicator of long-term company and management performance as it relates to
2439
+ capital efficiency, both absolute and relative to the company's primary peer group.
2440
+
2441
+ --- end page 61
2442
+
2443
+ # Definitions
2444
+
2445
+ Other Terms
2446
+ Cost of Supply is the WTI equivalent price that generates a 10% after-tax return on a point-forward and fully burdened basis. Fully burdened includes capital infrastructure, foreign
2447
+ exchange, price-related inflation, G&A and carbon tax (if currently assessed). If no carbon tax exists for the asset, carbon pricing aligned with internal energy scenarios are applied.
2448
+ All barrels of resource in the Cost of Supply calculation are discounted at 10%.
2449
+
2450
+ Distributions is defined as the total of the ordinary dividend, share repurchases and variable return of cash (VROC). Also referred to as return of capital.
2451
+
2452
+ Free cash flow breakeven is the WTI price at which cash from operations equals capital expenditures and investments. Also referred to as capital breakeven. Cash from operations
2453
+ is a non-GAAP measure defined in this Appendix.
2454
+
2455
+ Leverage ratio refers to net debt divided by cash from operations. Net debt and cash from operations are non-GAAP measures defined in this Appendix.
2456
+
2457
+ Optimized Cascade® Process is a ConocoPhillips proprietary licensed process for technology to liquefy natural gas. More information can be found at
2458
+ http://Inglicensing.conocophillips.com/what-we-do/Ing-technology/optimized-cascade-process.
2459
+
2460
+ Reserve replacement is defined by the Company as a ratio representing the change in proved reserves, net of production, divided by current year production. The Company
2461
+ believes that reserve replacement is useful to investors to help understand how changes in proved reserves, net of production, compare with the Company's current year
2462
+ production, inclusive of acquisitions and dispositions.
2463
+
2464
+ Resources: The company estimates its total resources based on the Petroleum Resources Management System (PRMS), a system developed by industry that classifies recoverable
2465
+ hydrocarbons into commercial and sub-commercial to reflect their status at the time of reporting. Proved, probable and possible reserves are classified as commercial, while
2466
+ remaining resources are categorized as sub-commercial or contingent. The company's resource estimate includes volumes associated with both commercial and contingent
2467
+ categories. The SEC permits oil and gas companies, in their filings with the SEC, to disclose only proved, probable and possible reserves. U.S. investors are urged to consider closely
2468
+ the oil and gas disclosures in our Form 10-K and other reports and filings with the SEC.
2469
+
2470
+ Resource life is calculated as total resource under $40 Cost of Supply divided by 2022 production.
2471
+
2472
+ Return of capital is defined as the total of the ordinary dividend, share repurchases and variable return of cash (VROC). Also referred to as distributions.
2473
+
2474
+ --- end page 62
2475
+
data/cache/2023-conocophillips-aim-presentation.pdf.reformatted.md ADDED
@@ -0,0 +1,2390 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # ConocoPhillips 2023 Analyst & Investor Meeting
2
+
3
+ --- end page 1
4
+
5
+ ## Today's Agenda
6
+
7
+ * Opening
8
+ * Ryan Lance Chairman and CEO
9
+
10
+ * Strategy and Portfolio
11
+ * Dominic Macklon EVP, Strategy, Sustainability and Technology
12
+
13
+ * Alaska and International
14
+ * Andy O'Brien SVP, Global Operations
15
+
16
+ * LNG and Commercial
17
+ * Bill Bullock EVP and CFO
18
+
19
+ * Lower 48
20
+ * Nick Olds EVP, Lower 48
21
+
22
+ * Financial Plan
23
+ * Bill Bullock EVP and CFO
24
+
25
+ * Closing
26
+ * Ryan Lance Chairman and CEO
27
+
28
+ * 10-Minute Break
29
+
30
+ * Q&A Session
31
+
32
+ ConocoPhillips
33
+ 2
34
+
35
+ --- end page 2
36
+
37
+ ## Cautionary Statement
38
+
39
+ This presentation provides management's current operational plan for ConocoPhillips over roughly the next decade, for the assets currently in our portfolio, and is subject to multiple assumptions, including, unless otherwise specifically noted:
40
+
41
+ * an oil price of $60/BBL West Texas Intermediate in 2022 dollars, escalating at 2.25% annually;
42
+ * an oil price of $65/BBL Brent in 2022 dollars, escalating at 2.25% annually;
43
+ * a gas price of $3.75/MMBTU Henry Hub in 2022 dollars, escalating at 2.25% annually;
44
+ * an international gas price of $8/MMBTU Title Transfer Facility & Japan Korea Marker in 2022 dollars, escalating at 2.25% annually;
45
+ * cost and capital escalation in line with price escalation; planning case at $60/BBL WTI assumes capital de-escalation from levels observed in 2022;
46
+ * all production compound annual growth rates (CAGR) are calculated for the 10-year period 2023 - 2032;
47
+ * inclusion of carbon tax in the cash flow forecasts for assets where a tax is currently assessed. If no carbon tax exists for the asset, it is not included in the cash flow forecasts;
48
+ * Cost of Supply displayed in WTI, includes carbon tax where carbon policy exists and a proxy carbon price for assets without existing carbon policies. Please refer to the Cost of Supply definition in the Appendix for additional information on how carbon costs are included in the Cost of Supply calculation.
49
+
50
+ As a result, this presentation contains forward-looking statements as defined under the federal securities laws. Forward-looking statements relate to future events, plans and anticipated results of operations, business strategies, and other aspects of our operations or operating results. Graphics that project into a future date constitute forward-looking statements. Also, words and phrases such as "anticipate," "estimate," "believe," "budget," "continue," "could," "intend," "may," "plan," "potential," "predict," "seek," "should," "will," "would," "expect," "objective," "projection," "forecast," "goal," "guidance," "outlook," "effort," "target" and other similar words can be used to identify forward-looking statements. However, the absence of these words does not mean that the statements are not forward-looking.
51
+
52
+ Where, in any forward-looking statement, the company expresses an expectation or belief as to future results, such expectation or belief is based on management's good faith plans and objectives under the assumptions set forth above (unless noted otherwise) and believed to be reasonable as of April 12, 2023, the date of this presentation. These statements are not guarantees of future performance and involve certain risks and uncertainties and are subject to change as management is continually assessing factors beyond our control that may or may not be currently known. Given the foregoing and the extended time horizon of this presentation, actual outcomes and results will likely differ from what is expressed or forecast in the forward-looking statements, and such differences may be material. Factors that could cause actual results or events to differ materially from what is presented include changes in commodity prices, including a prolonged decline in these prices relative to historical or future expected levels; global and regional changes in the demand, supply, prices, differentials or other market conditions affecting oil and gas, including changes resulting from any ongoing military conflict, including the conflict between Russia and Ukraine and the global response to such conflict, security threats on facilities and infrastructure, or from a public health crisis or from the imposition or lifting of crude oil production quotas or other actions that might be imposed by OPEC and other producing countries and the resulting company or third-party actions in response to such changes; insufficient liquidity or other factors, such as those listed herein, that could impact our ability to repurchase shares and declare and pay dividends such that we suspend our share repurchase program and reduce, suspend, or totally eliminate dividend payments in the future, whether variable or fixed; changes in expected levels of oil and gas reserves or production; potential failures or delays in achieving expected reserve or production levels from existing and future oil and gas developments, including due to operating hazards, drilling risks or unsuccessful exploratory activities; unexpected cost increases, inflationary pressures or technical difficulties in constructing, maintaining or modifying company facilities; legislative and regulatory initiatives addressing global climate change or other environmental concerns; public health crises, including pandemics (such as COVID-19) and epidemics and any impacts or related company or government policies or actions; investment in and development of competing or alternative energy sources; potential failures or delays in delivering on our current or future low-carbon strategy, including our inability to develop new technologies; disruptions or interruptions impacting the transportation for our oil and gas production; international monetary conditions and exchange rate fluctuations; changes in international trade relationships or governmental policies, including the imposition of price caps or the imposition of trade restrictions or tariffs on any materials or products (such as aluminum and steel) used in the operation of our business, including any sanctions imposed as a result of any ongoing military conflict, including the conflict between Russia and Ukraine; our ability to collect payments when due, including our ability to collect payments from the government of Venezuela or PDVSA; our ability to complete any announced or any future dispositions or acquisitions on time, if at all; the possibility that regulatory approvals for any announced or any future dispositions or acquisitions will not be received on a timely basis, if at all, or that such approvals may require modification to the terms of the transactions or our remaining business; business disruptions following any announced or future dispositions or acquisitions, including the diversion of management time and attention; the ability to deploy net proceeds from our announced or any future dispositions in the manner and timeframe we anticipate, if at all; potential liability for remedial actions under existing or future environmental regulations; potential liability resulting from pending or future litigation, including litigation related directly or indirectly to our transaction with Concho Resources Inc.; the impact of competition and consolidation in the oil and gas industry; limited access to capital or insurance or significantly higher cost of capital or insurance related to illiquidity or uncertainty in the domestic or international financial markets or investor sentiment; general domestic and international economic and political conditions or developments, including as a result of any ongoing military conflict, including the conflict between Russia and Ukraine; changes in fiscal regime or tax, environmental and other laws applicable to our business; and disruptions resulting from accidents, extraordinary weather events, civil unrest, political events, war, terrorism, cybersecurity threats or information technology failures, constraints or disruptions; and other economic, business, competitive and/or regulatory factors affecting our business generally as set forth in our filings with the Securities and Exchange Commission. Unless legally required, ConocoPhillips expressly disclaims any obligation to update any forward-looking statements, whether as a result of new information, future events or otherwise. We assume no duty to update these statements as of any future date and neither future distribution of this material nor the continued availability of this material in archive form on our website should be deemed to constitute an update or re-affirmation of these figures as of any future date. Any future update of these figures will be provided only through a public disclosure indicating that fact.
53
+
54
+ Use of Non-GAAP Financial Information - This presentation includes non-GAAP financial measures, which help facilitate comparison of company operating performance across periods and with peer companies. Any historical non-GAAP measures included herein will be accompanied by a reconciliation to the nearest corresponding GAAP measure both at the end of this presentation and on our website at www.conocophillips.com/nongaap. For forward-looking non-GAAP measures, we are unable to provide a reconciliation to the most comparable GAAP financial measures because the information needed to reconcile these measures is dependent on future events, many of which are outside management's control as described above. Additionally, estimating such GAAP measures and providing a meaningful reconciliation consistent with our accounting policies for future periods is extremely difficult and requires a level of precision that is unavailable for these future periods and cannot be accomplished without unreasonable effort. Forward looking non-GAAP measures are estimated consistent with the relevant definitions and assumptions.
55
+
56
+ Cautionary Note to U.S. Investors - The SEC permits oil and gas companies, in their filings with the SEC, to disclose only proved, probable and possible reserves. We use terms and metrics such as "resource" or "Estimated Ultimate Recovery (EUR)" in this presentation that we are prohibited from using in filings with the SEC under the SEC's guidelines. U.S. investors are urged to consider closely the oil and gas disclosures in our Form 10-K and other reports and filings with the SEC. Copies are available from the SEC and from the ConocoPhillips website.
57
+
58
+ ConocoPhillips 3
59
+
60
+ --- end page 3
61
+
62
+ ## Opening
63
+
64
+ Ryan Lance
65
+ Chairman and CEO
66
+
67
+ ConocoPhillips
68
+ Opening
69
+ Ryan Lance
70
+ Chairman and CEO
71
+
72
+ --- end page 4
73
+
74
+ ## ConocoPhillips Remains the Must-Own E&P Company
75
+
76
+ ![Oil Price Chart]
77
+
78
+ 120
79
+ 100
80
+ The Macro
81
+ Oil Price ($/BBL WTI)
82
+ What You'll Hear Today
83
+ We are committed to
84
+ delivering superior returns
85
+ **on** and **of** capital
86
+ through the cycles
87
+
88
+ 80
89
+ 60
90
+ 40
91
+ $60/BBL WTI
92
+ Mid-Cycle
93
+ Planning Price
94
+ We have a **deep, durable**
95
+ and **diverse** portfolio
96
+
97
+ 20
98
+ 0
99
+ 2019
100
+ 2021
101
+ 2023
102
+ 2024+
103
+ We are progressing our
104
+ **2050 Net-Zero ambition** and
105
+ accelerating our 2030 GHG emissions
106
+ intensity reduction target
107
+
108
+ ConocoPhillips
109
+ 5
110
+
111
+ --- end page 5
112
+
113
+ ## We Are Committed to Our Returns-Focused Value Proposition
114
+
115
+ ### Triple Mandate
116
+ Aligned to Business Realities
117
+
118
+ ![Figure 1: Triple Mandate with three sections: MEET TRANSITION PATHWAY DEMAND (green), DELIVER COMPETITIVE RETURNS (orange), ACHIEVE NET-ZERO EMISSIONS AMBITION¹ (blue)](image_reference)
119
+
120
+ ### Foundational Principles
121
+
122
+ ![Figure 2: Foundational Principles including Balance Sheet Strength, RETURNS, Disciplined Investments, Peer-Leading Distributions, ESG Excellence, Deliver Superior Returns Through Cycles](image_reference)
123
+
124
+ ### Clear and Consistent Priorities
125
+ 1
126
+ Sustain production
127
+ and pay dividend
128
+
129
+ 2
130
+ Annual dividend growth
131
+
132
+ 3
133
+ 'A'-rated balance sheet
134
+
135
+ 4
136
+ >30% of CFO
137
+ shareholder payout
138
+
139
+ 5
140
+ Disciplined investment
141
+ to enhance returns
142
+
143
+ ¹Scope 1 and 2 emissions on a gross operated and net equity basis.
144
+ Cash from operations (CFO) is a non-GAAP measure defined in the Appendix.
145
+
146
+ --- end page 6
147
+
148
+ ## We Are Continuously Improving
149
+
150
+ | | 2016 | 2019 | 2022 |
151
+ | :------------------------------- | :---------- | :---------- | :---------- |
152
+ | | $43/BBL WTI | $57/BBL WTI | $94/BBL WTI |
153
+ | Return on Capital Employed | -4% | 10% | 27% |
154
+ | Return of Capital¹ | $1.11/share | $4.45/share | $11.73/share |
155
+ | Net Debt | $24B | $7B | $7B |
156
+ | Cash From OperationsFree Cash Flow | $5B \| $OB | $12B \| $5B | $29B \| $18B |
157
+ | Resource <$40/BBL WTI | ~10 BBOE | ~15 ВВОЕ | ~20 BBOE |
158
+ | Production | 1.6 MMBOED | 1.3 MMBOED | 1.7 MMBOED |
159
+ | Emissions Intensity²(kg CO2e/BOE) | ~39 | ~36 | ~22 |
160
+
161
+ Foundational
162
+ Principles
163
+
164
+ Peer-Leading
165
+ Distributions
166
+ and Returns
167
+
168
+ Balance Sheet
169
+ Strength
170
+
171
+ Disciplined
172
+ Investments
173
+
174
+ ESG
175
+ Excellence
176
+
177
+ ¹Defined in the Appendix and presented on a per-share basis using average outstanding diluted shares. ²Gross operated GHG emissions (Scope 1 and 2), 2022 is a preliminary estimate.
178
+ Cash from operations (CFO), free cash flow (FCF), net debt and return on capital employed (ROCE) are non-GAAP measures. Definitions and reconciliations are included in the Appendix.
179
+
180
+ --- end page 7
181
+
182
+ ## We Have a Compelling 10-Year Plan that Sets us Apart
183
+
184
+ ![10-Year Plan Graph]
185
+
186
+ $350
187
+ $300
188
+ $250
189
+ $200
190
+ $150
191
+ $100
192
+ $50
193
+ 10-Year Plan ($B)
194
+ CFO at
195
+ 2023-2032
196
+ $80/BBL WTI
197
+ Upside Sensitivity
198
+ CFO at
199
+ $60/BBL WTI
200
+ Mid-Cycle
201
+ Planning Price
202
+ Additional
203
+ Distributions
204
+ 30% of CFO
205
+ Distribution
206
+ Commitment
207
+ Capital
208
+ $0
209
+ Cash 1
210
+ Cash¹
211
+ Sources
212
+ Uses
213
+
214
+ Peer leading ROCE improving through time
215
+
216
+ Top quartile ordinary dividend growth
217
+
218
+ >90% market cap² distributed
219
+
220
+ ~$35/BBL WTI FCF Breakeven³
221
+
222
+ ~6% CFO CAGR, ~11% FCF CAGR
223
+
224
+ Unhedged for price upside
225
+
226
+ Cash includes cash, cash equivalents, restricted cash and short-term investments. 2Market cap of ~$121B at March 31, 2023, close. 3Average over the next 10 years.
227
+ CAGRs calculated from FY2024 at $60/BBL WTI. Cash from operations (CFO), free cash flow (FCF) and return on capital employed (ROCE) are non-GAAP measures. Definitions are included in the Appendix.
228
+
229
+ ConocoPhillips 8
230
+
231
+ --- end page 8
232
+
233
+ ## Strategy and Portfolio
234
+
235
+ Dominic Macklon
236
+ EVP, Strategy, Sustainability and Technology
237
+
238
+ ConocoPhillips
239
+ Strategy and Portfolio
240
+ Dominic Macklon
241
+ EVP, Strategy, Sustainability and Technology
242
+
243
+ --- end page 9
244
+
245
+ ## Strategy Powers Our Returns-Focused Value Proposition
246
+
247
+ $
248
+ ### Rigorous Capital Allocation Framework
249
+
250
+ * Commitment to disciplined reinvestment rate
251
+ * Cost of Supply analysis informs investment decisions
252
+
253
+ ### Differentiated Portfolio
254
+ Depth, Durability and Diversity
255
+
256
+ * ~20 BBOE, <$40/BBL WTI low Cost of Supply resource base
257
+ * Leading Lower 48 unconventional position, complemented with premium Alaska and International assets
258
+ * Balance of short-cycle, flexible unconventional with select longer-cycle, low-decline conventional
259
+
260
+ ### Valued Role in the Energy Transition
261
+
262
+ * Accelerating GHG-intensity reduction target through 2030
263
+ * Built attractive LNG portfolio
264
+ * Strong track record of active portfolio management
265
+ * Evaluating longer term low-carbon options in hydrogen and CCS
266
+
267
+ Reinvestment rate is a non-GAAP measure defined in the Appendix.
268
+ ConocoPhillips 10
269
+
270
+ --- end page 10
271
+
272
+ ## Commitment to Disciplined Reinvestment Rate
273
+
274
+ ### Industry Growth Focus
275
+
276
+ >100%
277
+ Reinvestment Rate
278
+
279
+ ### ConocoPhillips Strategy Reset
280
+
281
+ <60%
282
+ Reinvestment Rate
283
+
284
+ ### Disciplined Reinvestment Rate is the Foundation for Superior Returns on and of Capital, while Driving Durable CFO Growth
285
+
286
+ ~50%
287
+ 10-Year
288
+ Reinvestment Rate
289
+
290
+ ~6%
291
+ CFO CAGR
292
+ 2024-2032
293
+
294
+ at $60/BBL WTI
295
+ Mid-Cycle
296
+ Planning Price
297
+
298
+ ConocoPhillips Average Annual Reinvestment Rate (%)
299
+
300
+ ![Reinvestment Rate Chart]
301
+
302
+ 100%
303
+
304
+ 75%
305
+
306
+ 50%
307
+
308
+ 25%
309
+
310
+ ~$75/BBL
311
+ WTI
312
+ Average
313
+
314
+ ~$63/BBL
315
+ WTI
316
+ Average
317
+
318
+ 0%
319
+
320
+ 2012-2016
321
+
322
+ 2017-2022
323
+
324
+ at $80/BBL
325
+ WTI
326
+
327
+ 2023E
328
+
329
+ at $60/BBL
330
+ WTI
331
+
332
+ at $80/BBL
333
+ WTI
334
+
335
+ at $80/BBL
336
+ WTI
337
+
338
+ at $60/BBL
339
+ WTI
340
+
341
+ 2024-2028
342
+
343
+ 2029-2032
344
+
345
+ Historic Reinvestment Rate
346
+ Reinvestment Rate at $60/BBL WTI
347
+ --- Reinvestment Rate at $80/BBL WTI
348
+
349
+ Reinvestment rate and cash from operations (CFO) are non-GAAP measures. Definitions and reconciliations are included in the Appendix.
350
+ ConocoPhillips 11
351
+
352
+ --- end page 11
353
+
354
+ ## Cost of Supply Analysis Informs Investment Decisions
355
+
356
+ ### Cost of Supply = Our North Star
357
+
358
+ $/BBL WTI Oil Price Required to Achieve a Point-Forward 10% Return
359
+
360
+ Fully Burdened Metric
361
+ With All Components Rigorously
362
+ Calculated For Each Entity
363
+
364
+ ![WTI Cost of Supply chart]
365
+
366
+ WTI Cost of Supply ($/BBL)
367
+
368
+ Facilities
369
+
370
+ G&A
371
+ Transport
372
+ Lifting
373
+
374
+ Wells
375
+
376
+ Capital
377
+
378
+ <$40/BBL
379
+
380
+ OPEX
381
+
382
+ Royalty
383
+
384
+ Taxes
385
+
386
+ Product Mix
387
+
388
+ Differential to WTI
389
+
390
+ WTI COS
391
+
392
+ Low Cost of Supply Wins
393
+
394
+ Reflective of a typical Permian development well.
395
+
396
+ ConocoPhillips
397
+ 12
398
+
399
+ --- end page 12
400
+
401
+ ## Secondary Investment Criteria Reinforce Resilient, Durable Returns
402
+
403
+ ### Investment Criteria
404
+
405
+ Balanced, Diversified, Disciplined Production Growth
406
+
407
+ * Production Mix¹
408
+ * Oil ~55%
409
+ * NGL ~15%
410
+ * North American Gas ~15%
411
+ * International Gas ~15%
412
+
413
+ * Production (MBOED)
414
+
415
+ ### Secondary Criteria
416
+
417
+ * Disciplined Reinvestment Rate
418
+ * Returns of capital
419
+ * Cost of Supply
420
+ * Returns on capital
421
+
422
+ * Balance of short-cycle, flexible unconventional with longer-cycle, low-decline conventional
423
+ * Product mix and market exposure
424
+ * Predictable execution
425
+
426
+ ¹Average anticipated production mix from 2023-2032; oil includes bitumen.
427
+ Reinvestment rate is a non-GAAP measure defined in the Appendix.
428
+
429
+ [Graph 1: Production (MBOED)]
430
+ | Year | Production CAGR | LNG + Surmont | Conventional | Unconventional (Lower 48 + Montney) |
431
+ |---|---|---|---|---|
432
+ | 2023E | ~4-5% 10-Year Production CAGR | | | |
433
+ | | | ~2% CAGR | ~3% CAGR | ~6% CAGR |
434
+ | 2032 | | | | |
435
+
436
+ --- end page 13
437
+
438
+ ## Our Differentiated Portfolio: Deep, Durable and Diverse
439
+
440
+ $50
441
+
442
+ ~20 BBOE of Resource
443
+ Under $40/BBL Cost of Supply
444
+
445
+ ~$32/BBL
446
+ Average Cost of Supply
447
+
448
+ ### Diverse Production Base
449
+
450
+ 10-Year Plan Cumulative Production (BBOE)
451
+
452
+ Lower 48
453
+
454
+ Alaska
455
+
456
+ ![WTI Cost of Supply Chart]
457
+
458
+ WTI Cost of Supply ($/BBL)
459
+ $40
460
+
461
+ $30
462
+
463
+ $20
464
+
465
+ $10
466
+
467
+ $0
468
+ 0
469
+ 5
470
+ 10
471
+ 15
472
+ Resource (BBOE)
473
+ Lower 48
474
+ Canada
475
+ Alaska
476
+ ΕΜΕΝΑ
477
+ Asia Pacific
478
+
479
+ Costs assume a mid-cycle price environment of $60/BBL WTI.
480
+ Permian
481
+ GKA
482
+ GWA
483
+ GPA WNS
484
+ EMENA
485
+ Norway
486
+ Qatar Libya
487
+ Asia Pacific Canada
488
+ Montney
489
+ APLNG
490
+ 20
491
+ Bakken
492
+ Eagle Ford
493
+ Other
494
+ Malaysia China Surmont
495
+
496
+ ConocoPhillips
497
+ 14
498
+
499
+ --- end page 14
500
+
501
+ ## Strong Track Record of Active Portfolio Management
502
+
503
+ | | 2016 | 2022 |
504
+ |---------------------|-----------------|-----------------|
505
+ | Production | 1.6 MMBOED | 1.7 MMBOED |
506
+ | Resource <$40/BBL WTI | ~10 BBOE | ~20 BBOE |
507
+ | Average Cost of Supply | <$40/BBL WTI | ~$32/BBL WTI |
508
+ | Resource Life | >18 years | >30 years |
509
+ | Emissions Intensity¹ | ~39 kg CO₂e/BOE | ~22 kg CO2e/BOE |
510
+
511
+ | WNS and GKA Working Interest Consolidations |
512
+ |---|
513
+ | 2018 |
514
+ | Montney Acreage Acquisition | Concho and Shell Permian Acquisitions | APLNG Acquisition |
515
+ |---|---|---|
516
+ | 2020 | 2021 | 2022 |
517
+ | 2017 | 2019 | |
518
+ |---|---|---|
519
+ | San Juan Exit Canada Cenovus Transaction | U.K. Exit | Niobrara and Australia-West Exits | Indonesia Exit |
520
+
521
+ Cost of Supply Framework Drives Disciplined Transactions
522
+ ~$25B of Both Acquisitions and Divestitures Since 20162
523
+
524
+ ¹Gross operated GHG emissions (Scope 1 and 2), 2022 is a preliminary estimate. ²Dispositions include contingent payment proceeds and sale of CVE shares.
525
+
526
+ --- end page 15
527
+
528
+ ## Accelerating Our GHG-Intensity Reduction Target Through 2030
529
+
530
+ ### Emissions Reduction Opportunities
531
+ Pathway to Net-Zero¹
532
+
533
+ * Methane Venting and Flaring
534
+ * Electrification
535
+ * Optimization and Efficiency
536
+ * Strategic Pilots and Studies
537
+
538
+ ![Figure 1: Graph illustrates Pathway to Net-Zero Emissions Intensity (kg CO2e/BOE)](image_reference)
539
+
540
+ Emissions Intensity (kg CO2e/BOE)
541
+
542
+ * Near-Term (2025)
543
+ * Zero routine flaring by 2025²
544
+
545
+ * Medium-Term (2030)
546
+ * NEW: Reduce GHG intensity 50-60% (from 40-50%)³
547
+ * Near-zero methane intensity target <1.5 kg CO2e/BOE
548
+
549
+ * Long-Term (2050)
550
+ * Net-zero emissions ambition¹
551
+
552
+ Progressing Toward Net-Zero Ambition
553
+
554
+ ¹Scope 1 and 2 emissions on a gross operated and net equity basis. ²In line with the World Bank Zero Routine Flaring initiative, ConocoPhillips premise is five years earlier than World Bank 2030 goal.
555
+ ³ Reduction from a 2016 baseline.
556
+
557
+ ConocoPhillips 16
558
+
559
+ --- end page 16
560
+
561
+ ## LNG: A Crucial Fuel for Energy Transition
562
+
563
+ ### U.S. Electric Power Sector Emissions
564
+ Drop with Shift from Coal to Natural Gas¹
565
+
566
+ ![Figure 1: Line chart showing the percentage share of electricity generation from coal and gas in the US from 2001 to 2021. Coal decreases from 51% to 40%, while gas increases from 17% to 20%.](image_reference)
567
+
568
+ ![Figure 2: Line chart showing CO₂ emissions in millions of metric tons from 2001 to 2021. Total decreases by >30%.](image_reference)
569
+
570
+ ### Global Coal Consumption²
571
+ Has Yet to Definitively Peak
572
+
573
+ ![Figure 3: Line chart showing global coal consumption in MT from 2000 to 2020.](image_reference)
574
+
575
+ ### U.S. LNG Reduces Carbon Intensity of Electricity³
576
+
577
+ ![Figure 4: Bar chart comparing the kg CO₂e per MWh of Germany domestic coal and Germany U.S. Permian LNG. Domestic coal is approximately 1,100 and U.S. Permian LNG is approximately 600.](image_reference)
578
+
579
+ >40% Reduction
580
+ in lifecycle GHG emissions
581
+ when switching from domestic
582
+ coal to imported LNG
583
+
584
+ ### Strong LNG Growth Outlook4
585
+
586
+ ![Figure 5: Stacked area chart showing strong LNG growth outlook from 2022 to 2050. Operational and under construction are represented. >300 MTPA Supply Gap by 2050](image_reference)
587
+
588
+ 1U.S E.I.A Power Plant Operations Report. 2IEA, Global Coal Consumption, 2000-2025. 3ICF International, Update to the Life-Cycle Analysis of GHG Emissions for US LNG Exports. 4Source Wood Mackenzie Q4 2022.
589
+
590
+ --- end page 17
591
+
592
+ ## 10-Year Plan Reflects Durable Returns-Focused Value Proposition
593
+
594
+ ### Capital ($B)
595
+
596
+ ![Capital graph]
597
+
598
+ ~$11B
599
+ 2023 Capital
600
+
601
+ 12
602
+
603
+ 9
604
+
605
+ 6
606
+
607
+ 3
608
+
609
+ 25
610
+
611
+ 20
612
+
613
+ 15
614
+
615
+ 0
616
+
617
+ 2023E
618
+
619
+ 2024-2028
620
+ Average
621
+
622
+ 2029-2032
623
+ Average
624
+
625
+ ### Production (MBOED)
626
+
627
+ ![Production Graph]
628
+
629
+ ~4-5%
630
+ 10-Year
631
+ Production CAGR
632
+
633
+ 2,500
634
+
635
+ 2,000
636
+
637
+ 1,500
638
+
639
+ 1,000
640
+
641
+ 500
642
+
643
+ 0
644
+
645
+ 2023E
646
+
647
+ 2024-2028
648
+ Average
649
+
650
+ 2029-2032
651
+ Average
652
+
653
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
654
+
655
+ ### FCF ($B)
656
+
657
+ ![FCF Graph]
658
+
659
+ 10
660
+
661
+ $80/BBL
662
+ WTI
663
+ Upside Sensitivity
664
+
665
+ $60/BBL
666
+ WTI
667
+ Mid-Cycle
668
+ Planning Price
669
+
670
+ 0
671
+
672
+ 2023E
673
+
674
+ 2024-2028
675
+ Average
676
+
677
+ > $115B FCF
678
+ Over the Next 10 Years
679
+ at $60/BBL WTI
680
+
681
+ 2029-2032
682
+ Average
683
+
684
+ ~$35/BBL WTI FCF
685
+ Breakeven
686
+ Average Over the Next 10 Years
687
+
688
+ ConocoPhillips 18
689
+
690
+ --- end page 18
691
+
692
+ ## Alaska and International
693
+
694
+ Andy O'Brien
695
+ SVP, Global Operations
696
+
697
+ ConocoPhillips
698
+ Alaska and International
699
+ Andy O'Brien
700
+ SVP, Global Operations
701
+
702
+ --- end page 19
703
+
704
+ ## Alaska and International: Our Unique Diversification Advantage
705
+
706
+ Portfolio Diversification
707
+
708
+ * ~9 BBOE, <$40/BBL WTI Cost of Supply resource base
709
+ * Leveraging existing infrastructure across conventional assets
710
+ * Low-decline, low capital-intensity LNG and Surmont
711
+
712
+ High-Margin Production Growth
713
+
714
+ * World-class Qatar LNG resource expansion builds upon 20-year relationship
715
+ * Progressing Montney unconventional toward development mode
716
+ * Investing for the future with the high-margin Willow project
717
+
718
+ $
719
+
720
+ Significant Free Cash Flow
721
+
722
+ * Low reinvestment rate underpins distribution capacity
723
+ * High-value, Brent-linked production
724
+ * Delivering value with additional APLNG shareholding interest
725
+
726
+ Free cash flow (FCF) and reinvestment rate are non-GAAP measures defined in the Appendix.
727
+
728
+ ConocoPhillips 20
729
+
730
+ --- end page 20
731
+
732
+ ## Low Capital Intensity Production Growth
733
+
734
+ ### Material Low Cost of Supply Resource Base
735
+ Leveraging Existing Infrastructure
736
+
737
+ ~$30/BBL
738
+ Average
739
+ Cost of Supply
740
+
741
+ ![Figure 1: A cost of supply chart with the x-axis representing resource in BBOE from 0 to 9 and the y-axis representing WTI cost of supply in $/BBL from 0 to 50. There are vertical bars of different colors depicting the resource and cost of supply levels for LNG, Surmont, Montney, Conventional International, and Alaska.](image_reference)
742
+
743
+ ### Capital-Efficient Production Growth
744
+ Underpins Growing Distribution Capacity
745
+
746
+ * Production Mix¹
747
+ * Oil ~60%
748
+ * NGL ~5%
749
+ * North American Gas ~5%
750
+ * International Gas ~30%
751
+
752
+ ![Figure 2: A production mix chart with the x-axis representing the years 2023E, 2024-2028 Average, and 2029-2032 Average, and the y-axis representing Production in MBOED from 0 to 1,200. There are vertical bars of different colors depicting the production mix for LNG, Surmont, Montney, Conventional International, and Alaska.](image_reference)
753
+
754
+ 4% CAGR at ~40% Reinvestment Rate
755
+ Over the Next 10 Years at $60/BBL WTI
756
+
757
+ --- end page 21
758
+
759
+ ## LNG: Expanding World-Class Assets
760
+
761
+ ![Figure 1: Image of a large LNG tanker docked at a port facility, with "Qatar" labeled next to the tanker.](image_reference)
762
+
763
+ ### Qatargas 3
764
+
765
+ * Legacy position supplying Asian and European markets
766
+
767
+ ### North Field Expansion Projects
768
+
769
+ * Building on our 20-year relationship with Qatar
770
+ * Awarded 2 MTPA net; NFE first LNG in 2026 and NFS in 2027
771
+ * NFE and NFS add trains 15-20 in Qatar's LNG portfolio
772
+
773
+ ### APLNG
774
+
775
+ * 90% of volumes under long-term contracts
776
+ * Increased shareholding interest by 10% in 1Q 2022; expecting to recoup ~50% of purchase price by end of 2Q 2023
777
+ * Acquiring up to an additional 2.49% shareholding interest and preparing to take over upstream operatorship upon Origin Sale¹
778
+
779
+ ![Graph 1: Bar graph showing Expanding LNG Production for 2023E, 2024-2028 Average, and 2029-2032 Average. Y-axis labeled "Production (MBOED)" from 0 to 300 in increments of 100. Series include APLNG, QG3, and Qatar Expansion.](image_reference)
780
+
781
+ ### Growing Reliable LNG Cash Flows
782
+
783
+ ¹Subject to EIG closing its announced acquisition of Origin Energy (the current upstream operator); EIG's transaction with Origin, as well as ConocoPhillips' shareholding acquisition are subject to
784
+ Australian regulatory approvals and other customary closing conditions. The 2.49% purchase is also subject to shareholder's pre-emptive rights.
785
+
786
+ ConocoPhillips 22
787
+
788
+ --- end page 22
789
+
790
+ ## Surmont: Leveraging Low Capital Intensity for Decades of Flat Production
791
+
792
+ ### Optimizing the Machine
793
+
794
+ * Record 2H 2022 production
795
+ * Low sustaining capital requirements
796
+ * Advantaged operating cost due to top-quartile steam-oil ratio
797
+
798
+ #### Production (MBOED)1
799
+
800
+ ![Figure 1: Bar chart of Production (MBOED) from 2014 to 2022. X-axis is year, Y-axis is MBOED from 0 to 80 in increments of 20. "LAST NEW PAD" and "RECORD PRODUCTION" are labeled above the 2014 and 2022 bars, respectively.](image_reference)
801
+
802
+ ### First New Pad Drilled Since 2016 Developed at <$15/BBL WTI COS
803
+ 24 Well Pairs with 25 MBOED Gross Peak Rate
804
+
805
+ ![Figure 2: Aerial view of an oil drilling site in the snow. The location "Pad 267" is noted on the image.](image_reference)
806
+
807
+ #### Average Well Cost² ($MM)
808
+
809
+ ![Figure 3: Bar chart of Average Well Cost ($MM) for 2016 Pads and Pad 267. X-axis is Pad type, Y-axis is cost in $MM from 0 to 6 in increments of 2. A downward arrow labeled "Decreased 30%" is between the two bars.](image_reference)
810
+
811
+ ### Transformative Emissions Reduction³ Opportunities
812
+
813
+ * 1/3 through current technology pilots
814
+ * 1/3 through new technologies
815
+ * CCS and offsets to achieve net-zero
816
+
817
+ #### Emissions Reduction Pathway (Net MMTeCO2e)
818
+
819
+ ![Figure 4: Line graph showing the Emissions Reduction Pathway from 2023 to 2050. The line starts at the "CURRENT TECH" level and trends down to the "NEW TECH" level, eventually to the "CCS & OFFSETS" level.](image_reference)
820
+
821
+ Production Records Achieved
822
+ Through Optimization
823
+
824
+ Raises Production Plateau
825
+ into 2030s
826
+
827
+ Multiple Options for
828
+ Emissions Reduction
829
+
830
+ ¹Net before royalty shown to remove price related royalty impacts. ²Includes drill, completions and facilities (excluding pipelines). 3Net equity Scope 1 and 2 emissions.
831
+
832
+ ConocoPhillips 23
833
+
834
+ --- end page 23
835
+
836
+ ## Montney: Building Another Core Unconventional Business
837
+
838
+ ### Appraisal Defined Optimal Plan
839
+
840
+ * Concluded testing of multiple well configurations and completion designs
841
+ * Recent strong well results lead to high-graded, two-layer development plan
842
+
843
+ ![Cost of Supply Improvement Chart]
844
+
845
+ 40
846
+ Cost of Supply Improvement
847
+ ($/BBL WTI)
848
+
849
+ Driving to
850
+ Mid-$30s CoS
851
+ 0
852
+ Current
853
+ Pads
854
+ Development
855
+ Phase
856
+
857
+ High-Graded Resource of
858
+ 1.8 BBOE at Mid-$30s CoS
859
+
860
+ ### Moving to Development Phase
861
+
862
+ * Adding second rig in 2024
863
+ * Running one continuous frac crew
864
+ * Refining completion design
865
+ * CPF2 start-up expected in 3Q 2023
866
+
867
+ ![Figure 1: CPF2](image_reference)
868
+
869
+ Leveraging
870
+ Unconventional Expertise
871
+
872
+ ### Significant Production Growth
873
+
874
+ * 60% liquids production, priced off WTI
875
+ * Long-term commercial offtake secured
876
+
877
+ ![Production Graph]
878
+
879
+ 150
880
+ Production
881
+ (MBOED)
882
+
883
+ 100
884
+
885
+ 50
886
+
887
+ 0
888
+ 2023E
889
+ 2024-2028
890
+ Average
891
+ 2029-2032
892
+ Average
893
+
894
+ 20% CAGR
895
+ Over 10 Years
896
+
897
+ --- end page 24
898
+
899
+ ## International Conventional: Steady Cash Flow Generator
900
+
901
+ ![Figure 1: Eldfisk](image_reference)
902
+
903
+ ### Brent-Linked Oil and International Gas
904
+
905
+ #### Norway – 115 MBOED
906
+
907
+ * Four subsea tie backs on track for onstream in 2024
908
+ * Greater Ekofisk Area license extended through 2048
909
+
910
+ #### Libya – 50 MBOED
911
+
912
+ * Increased working interest to ~20% in Waha Concession
913
+ * Long-term optionality
914
+
915
+ #### Malaysia – 40 MBOED
916
+
917
+ * Low Cost of Supply projects offsetting decline
918
+
919
+ #### China - 30 MBOED
920
+
921
+ * Production sharing contract terms aligned to 2039
922
+ * Progressing offshore windfarm in China
923
+
924
+ ### ~$1B Per Year Free Cash Flow
925
+
926
+ Over the Next 10 Years at $60/BBL WTI
927
+
928
+ [Graph 1: Production (MBOED)]
929
+
930
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
931
+ | :---- | :---- | :---------------- | :---------------- |
932
+ | Value | 213 | 225 | 202 |
933
+
934
+ Country production numbers quoted are 2023 estimates.
935
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
936
+
937
+ --- end page 25
938
+
939
+ ## Alaska Conventional: Legacy World-Class Basin
940
+
941
+ ![Figure 1: Map of Alaska Conventional showing Central Processing Facility (CPF)/Project, ConocoPhillips Interest Acreage, Opportunity Reservoir Extent, Pipeline System, and Future Project](no_image_available)
942
+
943
+ * Central Processing Facility (CPF)/Project
944
+ * ConocoPhillips Interest Acreage
945
+ * Opportunity Reservoir Extent
946
+ * Pipeline System
947
+ * Future Project
948
+
949
+ **Leveraging Existing Infrastructure**
950
+
951
+ * Largest producer, with 40+ years of experience across significant infrastructure
952
+ * Robust inventory of projects with a ~$25/BBL Cost of Supply for over a decade
953
+
954
+ **Disciplined Development Plan**
955
+
956
+ ![Figure 2: Disciplined Development Plan Pie Chart](no_image_available)
957
+
958
+ * New pads filling existing capacity e.g., Nuna, E News
959
+ * ~$1B Capex per Year
960
+ * Drilling from existing pads e.g., Coyote, Fiord West Kuparuk, Torok
961
+
962
+ ![Graph 1: 100% of Production Priced at Brent+](no_image_available)
963
+
964
+ | | Production (MBOED) |
965
+ | :------ | :----------------- |
966
+ | 2023E | 195 |
967
+ | 2024-2028 Average | 214 |
968
+ | 2029-2032 Average | 229 |
969
+
970
+ 40+ Years Later, ~2-3% Production Growth
971
+ Over the Next 10 Years
972
+
973
+ --- end page 26
974
+
975
+ ## Willow: Building on Our Long History
976
+
977
+ ![Figure 1: Oil field Map and Legends](image_reference)
978
+
979
+ National Petroleum
980
+ Reserve - Alaska
981
+
982
+ Western
983
+ North Slope
984
+ 2000
985
+
986
+ Greater
987
+ Kuparuk Area
988
+ 1981
989
+
990
+ Prudhoe Bay
991
+ Non-operated
992
+ 1977
993
+
994
+ Nuna
995
+
996
+ FWK
997
+
998
+ ENEWS
999
+
1000
+ CD5
1001
+
1002
+ WILLOW
1003
+
1004
+ BT2 ▲
1005
+
1006
+ Coyote
1007
+
1008
+ ▲ 1FL NEWS
1009
+
1010
+ GMT-1
1011
+
1012
+ GMT-2
1013
+
1014
+ BT1
1015
+
1016
+ BT3
1017
+
1018
+ N
1019
+
1020
+ 0
1021
+ 10
1022
+ 20
1023
+ Miles
1024
+
1025
+ ED8
1026
+
1027
+ Alaska State
1028
+ Lands
1029
+
1030
+ Central Processing
1031
+ Facility (CPF)/Project
1032
+
1033
+ ConocoPhillips
1034
+ Interest Acreage
1035
+
1036
+ Opportunity
1037
+ Reservoir Extent
1038
+
1039
+ Pipeline System
1040
+
1041
+ Future CPF/Project
1042
+
1043
+ Willow Interest Acreage
1044
+
1045
+ ### Legacy Infrastructure
1046
+
1047
+ **13**
1048
+ Central Processing Facilities
1049
+
1050
+ **~120**
1051
+ Drill Sites
1052
+
1053
+ **~410**
1054
+ Miles of Corridor
1055
+ Road and Pipelines
1056
+
1057
+ ### Willow
1058
+
1059
+ **1**
1060
+ Central Processing Facility
1061
+
1062
+ **3**
1063
+ Drill Sites
1064
+
1065
+ **~26**
1066
+ Miles of Corridor
1067
+ Road and Pipelines
1068
+
1069
+ ### Significant Opportunity Without "Mega-Project" Risks
1070
+
1071
+ **Extensive Definition**
1072
+ 100% FEED complete at FID
1073
+
1074
+ **Simple Governance**
1075
+ 100% ConocoPhillips owned
1076
+
1077
+ **Limited Complexity**
1078
+ No "first-of-a-kind" designs
1079
+
1080
+ **Proven Execution Model**
1081
+ Executed similar drill site, pipeline
1082
+ and road scope over past five years
1083
+ with proven North Slope contractors
1084
+
1085
+ Modular facilities designed and built
1086
+ in U.S. by top-tier Gulf Coast contractors
1087
+
1088
+ ConocoPhillips 27
1089
+
1090
+ --- end page 27
1091
+
1092
+ ## Willow: Delivering Competitive Returns Into the Next Decade
1093
+
1094
+ Capex of $1-1.5B per Year from 2024-2028
1095
+
1096
+ * Drill sites and drilling
1097
+ * Infrastructure, roads, pipelines, power and pads
1098
+ * Central processing facility
1099
+
1100
+ $7-7.5B
1101
+ to First Oil
1102
+
1103
+ ### Key Construction Milestones
1104
+
1105
+ | | | | | | | |
1106
+ | :----- | :----- | :----- | :----- | :----- | :----- | :----- |
1107
+ | 2023 | 2024 | 2025 | 2026 | 2027 | 2028 | 2029 |
1108
+ | Winter road and pipeline construction | Central processing facility fabrication and delivery | First Oil |
1109
+ | Operation center fabrication and delivery | Complete tie-ins to new drill sites and existing infrastructure | |
1110
+ | Central processing facility procurement | Commence drilling program | |
1111
+
1112
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
1113
+
1114
+ Volume Ramp and Strong Margins Drive FCF
1115
+
1116
+ * Pre-drilling strategy fills facility at startup
1117
+ * Premium-quality light crude compared to current Alaska average
1118
+ * Leverages existing pipeline infrastructure
1119
+
1120
+ Production (MBOED)
1121
+
1122
+ Willow:
1123
+ 100% Oil
1124
+
1125
+ [Graph 1: Production (MBOED)]
1126
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1127
+ | :----- | :---- | :---------------- | :---------------- |
1128
+ | Legacy Alaska | 200 | 230 | 240 |
1129
+ | Willow | 0 | 0 | 160 |
1130
+
1131
+ --- end page 28
1132
+
1133
+ ## Alaska and International: Our Unique Diversification Advantage
1134
+
1135
+ **Capital** ($B)
1136
+
1137
+ [Graph 1: Capital Spending Forecast]
1138
+ | Period | Amount ($B) |
1139
+ |-----------------|-------------|
1140
+ | 2023E | 3.5 |
1141
+ | 2024-2028 Average | 4.3 |
1142
+ | 2029-2032 Average | 3.0 |
1143
+
1144
+ **Production** (MBOED)
1145
+
1146
+ [Graph 2: Production Forecast]
1147
+ | Period | Amount (MBOED) |
1148
+ |-----------------|----------------|
1149
+ | 2023E | 780 |
1150
+ | 2024-2028 Average | 870 |
1151
+ | 2029-2032 Average | 1,000 |
1152
+
1153
+ **FCF** ($B)
1154
+
1155
+ [Graph 3: Free Cash Flow Forecast]
1156
+ | Period | Amount ($B) |
1157
+ |-----------------|-------------|
1158
+ | 2023E | 5.2 |
1159
+ | 2024-2028 Average | 6.2 |
1160
+ | 2029-2032 Average | 7.8 |
1161
+
1162
+ $80/BBL WTI
1163
+ Upside Sensitivity
1164
+
1165
+ $60/BBL WTI
1166
+ Mid-Cycle
1167
+ Planning Price
1168
+
1169
+ > $50B FCF and ~40% Reinvestment Rate
1170
+ Over the Next 10 Years at $60/BBL WTI
1171
+
1172
+ Free cash flow (FCF) and reinvestment rate are non-GAAP measures defined in the Appendix.
1173
+
1174
+ ConocoPhillips 29
1175
+
1176
+ --- end page 29
1177
+
1178
+ ## LNG and Commercial
1179
+
1180
+ Bill Bullock
1181
+ EVP and CFO
1182
+
1183
+ ConocoPhillips
1184
+ LNG and Commercial
1185
+ Bill Bullock
1186
+ EVP and CFO
1187
+
1188
+ --- end page 30
1189
+
1190
+ ## LNG Opportunities Underpinned by Strong Commercial Acumen
1191
+
1192
+ ![Figure 1: LNG image of a ship, LNG tank, and a globe.](image_reference)
1193
+
1194
+ * Rapidly Growing LNG Market
1195
+ * Robust demand in Asia and Europe driven by energy security and the energy transition
1196
+ * Qatar and Australia are foundational LNG investments
1197
+ * North American gas production fuels LNG supply growth
1198
+
1199
+ * Adding North America to Low-Cost LNG Footprint
1200
+ * Port Arthur is a premier LNG development
1201
+ * Long-term optionality on the Gulf and West Coasts
1202
+ * Offtake margins enhanced by diversion capability
1203
+
1204
+ * Extensive Commercial Footprint
1205
+ * Global market presence
1206
+ * Second-largest natural gas marketer in North America¹
1207
+ * 60+ years experience with LNG
1208
+
1209
+ ¹Natural Gas Intelligence North American Marketer Rankings as of Q3 2022, published in December 2022.
1210
+
1211
+ --- end page 31
1212
+
1213
+ ## Attractive Global LNG Portfolio
1214
+
1215
+ Key LNG Supply and Demand Markets by 2035
1216
+ (ΜΤΡΑ)1
1217
+
1218
+ * Supply Demand
1219
+
1220
+ ConocoPhillips Assets at Nexus of Supply and Demand
1221
+
1222
+ * Asia and Europe to remain significant demand centers
1223
+ * Qatar and Australia provide reliable LNG
1224
+ * North America dominates LNG supply growth
1225
+
1226
+ ConocoPhillips Global Net LNG Exposure
1227
+ (ΜΤΡΑ)
1228
+
1229
+ APLNG
1230
+ QG3
1231
+ NFE/NFS
1232
+ PA LNG3
1233
+
1234
+ ConocoPhillips Net LNG Capital Spend ($B)
1235
+
1236
+ ~$3.7B
1237
+ Cumulative Capital
1238
+
1239
+ [Graph 1: ConocoPhillips Global Net LNG Exposure and Net LNG Capital Spend]
1240
+ | Data | 2023 | 2028 | 2032 |
1241
+ | :------ | :--- | :--- | :--- |
1242
+ | APLNG | 5 | 5 | 5 |
1243
+ | QG3 | 3 | 3 | 3 |
1244
+ | NFE/NFS | 0 | 3 | 3 |
1245
+ | PA LNG3 | 0 | 4 | 4 |
1246
+
1247
+ | Data | 2023E | 2024-2028 Average | 2029-2032 Average |
1248
+ | :---------------- | :---- | :---------------- | :---------------- |
1249
+ | Value | 7 | 0.3 | 0.4 |
1250
+
1251
+ 1Wood Mackenzie Q4 2022, North America as marginal supplier. 2Offtake and/or equity at Energia Costa Azul (ECA) Phase 2 and offtake from ECA Phase 1.
1252
+ 35 MTPA offtake and access to excess cargoes when Phase 1 liquefaction exceeds the 10.5 MTPA contracted under long term SPAs.
1253
+
1254
+ --- end page 32
1255
+
1256
+ ## Port Arthur is a Premier LNG Development
1257
+
1258
+ ![Figure 1: Map of the United States showing the locations of Permian, Haynesville, Marcellus, PA LNG, and West Coast Optionality. An aerial view of the Port Arthur LNG facility is also shown.](image_reference)
1259
+
1260
+ *Permian*
1261
+
1262
+ *West Coast
1263
+ Optionality¹*
1264
+
1265
+ *Haynesville*
1266
+
1267
+ *PA LNG*
1268
+
1269
+ *Marcellus*
1270
+
1271
+ ### FID of Port Arthur Phase 1
1272
+
1273
+ * FERC-approved and construction-ready with high-quality operator and EPC contractor
1274
+ * ConocoPhillips to manage gas supply
1275
+ * Near Gulf Coast infrastructure and fastest growing low-cost, low-GHG gas basins
1276
+ * ConocoPhillips participation launched project
1277
+
1278
+ ### Strategic Optionality
1279
+
1280
+ * Access to low-cost uncontracted excess capacity
1281
+ * Secured long-term optionality on the Gulf and West Coasts¹
1282
+ * Prioritizing market development and offtake over additional equity
1283
+ * Evaluating development of CCS projects at Port Arthur facility
1284
+
1285
+ ### Low-Cost Offtake Secured
1286
+
1287
+ * 5 MTPA offtake from Port Arthur Phase 1²
1288
+ * Top tier liquefaction fee³
1289
+ * Marketing currently underway; receiving significant customer interest
1290
+
1291
+ ¹Offtake and/or equity on up to six additional trains at Port Arthur, offtake and/or equity at ECA Phase 2, and offtake from ECA Phase 1.
1292
+ ²20-year agreement. ³Wood Mackenzie Q4 2022, contract fixed liquefaction fees.
1293
+
1294
+ ConocoPhillips 33
1295
+
1296
+ --- end page 33
1297
+
1298
+ ## ConocoPhillips Commercial Advantage
1299
+
1300
+ Port Arthur LNG Marketing Example: Sale into Germany
1301
+
1302
+ European
1303
+ Re-Gas
1304
+
1305
+ Global Marketing Presence: >10 BCFD and >1 MMBOD¹
1306
+
1307
+ * ConocoPhillips holds re-gas capacity in Germany's first onshore LNG terminal for portion of Port Arthur LNG
1308
+ * Captures Trading Hub Europe (THE) price with diversion capability when other international prices exceed THE
1309
+ * Managed and marketed by experienced ConocoPhillips commercial organization
1310
+
1311
+ A
1312
+ Global Gas,
1313
+ Power and LNG
1314
+
1315
+ OPTIMIZED LNG
1316
+ CASCADE PROCESS
1317
+ Licensing2
1318
+
1319
+ 1-
1320
+ Global Crude
1321
+ and NGL
1322
+
1323
+ London
1324
+ Singapore
1325
+ Houston
1326
+ Calgary
1327
+ Beijing
1328
+ Tokyo
1329
+
1330
+ 9x Equity
1331
+ Gas marketed
1332
+ globally
1333
+
1334
+ 6.0 GWh
1335
+ Power marketed
1336
+
1337
+ ~1 ΜΤΡΑ
1338
+ Spot sales
1339
+ into Asia
1340
+
1341
+ 113 ΜΤΡΑ
1342
+ Utilizing Optimized
1343
+ Cascade® Process
1344
+
1345
+ 2nd Largest
1346
+ Global LNG
1347
+ technology provider
1348
+
1349
+ 25 Cargoes
1350
+ Marketed globally
1351
+ per month
1352
+
1353
+ 45%
1354
+ Brent-linked
1355
+
1356
+ 180 MBOD
1357
+ North American
1358
+ export capacity
1359
+
1360
+ ¹FY2022 data unless otherwise footnoted. ²Based on total global installed production capacity of 113 MTPA associated with 26 licensed LNG trains in operation.
1361
+
1362
+ --- end page 34
1363
+
1364
+ ## Lower 48
1365
+
1366
+ Nick Olds
1367
+ EVP, Lower 48
1368
+
1369
+ ConocoPhillips
1370
+
1371
+ Lower 48
1372
+ Nick Olds
1373
+ EVP, Lower 48
1374
+
1375
+ --- end page 35
1376
+
1377
+ ## Premier Lower 48 Assets Underpin Our Returns-Focused Strategy
1378
+
1379
+ Industry Leader Focused
1380
+ on Maximizing Returns
1381
+
1382
+ * Largest Lower 48 unconventional producer with deep, durable and diverse unconventional portfolio
1383
+ * Disciplined development optimizing returns and recovery
1384
+
1385
+ $
1386
+
1387
+ Production and Free Cash Flow
1388
+ Growth into the Next Decade
1389
+
1390
+ * Permian premising ~7% production growth, doubling free cash flow by end of decade
1391
+ * Eagle Ford and Bakken delivering material free cash flow
1392
+
1393
+ Delivering Continuous
1394
+ Improvements
1395
+
1396
+ * Accelerating technology across four core basins to enhance value
1397
+ * Delivering on emissions reductions and sustainable development
1398
+
1399
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
1400
+
1401
+ ConocoPhillips 36
1402
+
1403
+ --- end page 36
1404
+
1405
+ ## Deep, Durable and Diverse Portfolio with Significant Growth Runway
1406
+
1407
+ ### 2022 Lower 48 Unconventional Production¹ (MBOED)
1408
+
1409
+ ![Production Chart]
1410
+
1411
+ 1,200
1412
+ ~$32/BBL
1413
+
1414
+ 1,000 ConocoPhillips
1415
+ 800
1416
+ 600
1417
+ 400
1418
+ 200
1419
+ 0
1420
+ WTI Cost of Supply ($/BBL)
1421
+ Average
1422
+ Cost of Supply
1423
+
1424
+ ### Net Remaining Well Inventory2
1425
+
1426
+ ![Well Inventory Chart]
1427
+
1428
+ 15,000
1429
+ ConocoPhillips
1430
+ 12,000
1431
+ 9,000
1432
+ 6,000
1433
+ 3,000
1434
+ 0
1435
+ $40
1436
+ $30
1437
+ $20
1438
+ $10
1439
+ $0
1440
+ 0
1441
+ 2
1442
+ 4
1443
+ 6
1444
+ 8
1445
+ 10
1446
+ Resource (BBOE)
1447
+ Delaware Basin
1448
+ Midland Basin
1449
+ Eagle Ford
1450
+ Bakken
1451
+ Other
1452
+
1453
+ Largest Lower 48 Unconventional Producer, Growing into the Next Decade
1454
+
1455
+ ¹Source: Wood Mackenzie Lower 48 Unconventional Plays 2022 Production. Competitors include CVX, DVN, EOG, FANG, MRO, OXY, PXD and XOM, greater than 50% liquids weight. ²Source: Wood Mackenzie (March 2023), Lower 48
1456
+ onshore operated inventory that achieves 15% IRR at $50/BBL WTI. Competitors include CVX, DVN, EOG, FANG, MRO, OXY, PXD, and XOM.
1457
+
1458
+ ConocoPhillips 37
1459
+
1460
+ --- end page 37
1461
+
1462
+ ## Delaware: Vast Inventory with Proven Track Record of Performance
1463
+
1464
+ ![Figure 1: Mapa de Nuevo México y Texas, mapa de la zona de Delaware con zonas de alto y bajo coste de suministro, gráfico circular de inventario operado de Permian a 10 años](image_reference)
1465
+
1466
+ ### Prolific Acreage Spanning Over ~659,000 Net Acres¹
1467
+
1468
+ ### 12-Month Cumulative Production³ (BOE/FT)
1469
+
1470
+ [Graph 1: Producción acumulada de 12 meses]
1471
+ | Months | 2019 | 2020 | 2021 | 2022 |
1472
+ |---|---|---|---|---|
1473
+ | 1 | 5 | 6 | 7 | 7 |
1474
+ | 2 | 9 | 11 | 12 | 13 |
1475
+ | 3 | 12 | 14 | 16 | 18 |
1476
+ | 4 | 15 | 17 | 20 | 22 |
1477
+ | 5 | 18 | 20 | 23 | 26 |
1478
+ | 6 | 20 | 23 | 26 | 29 |
1479
+ | 7 | 23 | 25 | 29 | 32 |
1480
+ | 8 | 25 | 28 | 31 | 35 |
1481
+ | 9 | 27 | 30 | 34 | 37 |
1482
+ | 10 | 30 | 32 | 36 | 40 |
1483
+ | 11 | 32 | 34 | 38 | 41 |
1484
+ | 12 | 34 | 36 | 40 | 43 |
1485
+
1486
+ ~30% Improved Performance from 2019 to 2022
1487
+
1488
+ ### Delaware Basin Well Capex/EUR4 ($/BOE)
1489
+
1490
+ [Graph 2: Capex/EUR de pozos en la cuenca de Delaware]
1491
+ | | ConocoPhillips | | | | | | | |
1492
+ |---|---|---|---|---|---|---|---|---|
1493
+ | Capex/EUR | 7.6 | 10.1 | 10.2 | 10.3 | 11.5 | 12.3 | 15.3 | 19.3 | 24.8 |
1494
+
1495
+ **High Single-Digit Production Growth**
1496
+
1497
+ ¹Unconventional acres. ²Source: Enverus and ConocoPhillips (March 2023). ³Source: Enverus (March 2023) based on wells online year. ⁴Source: Enverus (March 2023). Average single well capex/EUR. Top eight public operators based on wells online in years 2021-2022, greater than 50% oil weight. COP based on COP well design. Competitors include: CVX, DVN, EOG, MTDR, OXY, PR and XOM.
1498
+
1499
+ --- end page 38
1500
+
1501
+ ## Midland: Acreage in the Heart of Liquids-Rich Basin
1502
+
1503
+ ![Figure 1: New Mexico and Texas map with a high-margin play spanning over ~251,000 net acres. Total 10-Year Operated Permian Inventory is 35% Delaware Basin and Midland Basin. A cost of supply map of low and high supplies.](image_reference)
1504
+
1505
+ High-Margin Play Spanning Over
1506
+ ~251,000 Net Acres¹
1507
+
1508
+ 12-Month Cumulative Production³ (BOE/FT)
1509
+
1510
+ ![Graph 1: 12-Month Cumulative Production (BOE/FT), with months on the X axis and the rate on the Y axis.](image_reference)
1511
+
1512
+ Midland Basin Well Capex/EUR4 ($/BOE)
1513
+
1514
+ ![Graph 2: Midland Basin Well Capex/EUR, with the company and amount in $/BOE.](image_reference)
1515
+
1516
+ Low to Mid Single-Digit Production Growth
1517
+
1518
+ ¹Unconventional acres. ²Source: Enverus and ConocoPhillips (March 2023). ³Source: Enverus (March 2023) based on wells online year.
1519
+ 4Source: Enverus (March 2023). Average single well capex/EUR. Top eight public operators based on wells online in years 2021-2022, greater than 50% oil weight. Competitors include FANG, OVV, OXY, PXD, SM, VTLE and XOM.
1520
+
1521
+ --- end page 39
1522
+
1523
+ ## Continuously Optimizing Permian Acreage and Value
1524
+
1525
+ ### Acreage Trades
1526
+
1527
+ #### Illustration
1528
+
1529
+ Pre-Trade
1530
+
1531
+ Post-Trade
1532
+
1533
+ ConocoPhillips Acreage Trade-in Trade-out
1534
+
1535
+ #### Trade Area
1536
+ LOVING
1537
+
1538
+ REEVES
1539
+
1540
+ ### Permian-Operated Inventory
1541
+
1542
+ * Complementary Positions Enable Trade and Core-Up Opportunities
1543
+ * ~30-40% Cost of Supply Improvement from Lateral-Length Extensions
1544
+
1545
+ ![Lateral length distribution]
1546
+
1547
+ ~60%
1548
+ 2 miles
1549
+ or greater
1550
+
1551
+ ~20%
1552
+ 1.5 miles
1553
+ to 2 miles
1554
+
1555
+ ### Recent Acreage Trade Metrics
1556
+
1557
+ ↑2x
1558
+ Lateral Length
1559
+
1560
+ 30%
1561
+ Capex/FT
1562
+
1563
+ 130%
1564
+ Cost of Supply
1565
+
1566
+ Vast Long-Lateral Inventory Enhances Returns and Durability
1567
+
1568
+ ConocoPhillips 40
1569
+
1570
+ --- end page 40
1571
+
1572
+ ## Permian Drives Free Cash Flow in Lower 48
1573
+
1574
+ ~7%
1575
+ 10-Year Production CAGR
1576
+
1577
+ Production (MBOED)
1578
+
1579
+ Growing to Plateau
1580
+ in the 2nd Decade
1581
+
1582
+ ~$50%
1583
+ Reinvestment Rate¹
1584
+
1585
+ < $35/BBL
1586
+ Program Cost of Supply
1587
+
1588
+ FCF ($B)
1589
+
1590
+ ~$45B FCF
1591
+ Generated Over
1592
+ the Next 10 Years
1593
+ at $60/BBL WTI
1594
+
1595
+ | 2023E | 2024-2028 Average | 2029-2032 Average |
1596
+ | ----------- | ----------- | ----------- |
1597
+ | 2023E | 2024-2028 Average | 2029-2032 Average |
1598
+ | $60/BBL WTI Mid-Cycle Planning Price | $80/BBL WTI Upside Sensitivity |
1599
+
1600
+ Top-Tier Permian Position, Growing into the Next Decade
1601
+
1602
+ ¹Over the next 10 years at $60/bbl.
1603
+ Reinvestment rate and free cash flow (FCF) are non-GAAP measures defined in the Appendix.
1604
+
1605
+ --- end page 41
1606
+
1607
+ ## Eagle Ford and Bakken Delivering Material Free Cash Flow
1608
+
1609
+ ~199,000 Net Acres¹ in Eagle Ford
1610
+ ~560,000 Net Acres¹ in Bakken
1611
+
1612
+ Consistent and Proven Track Record
1613
+ in Basin Sweet Spots
1614
+
1615
+ Sustains Production
1616
+ Over the Decade
1617
+
1618
+ ![Figure 1: Maps showing Eagle Ford and Bakken with areas shaded according to cost of supply.](image_reference)
1619
+
1620
+ Eagle Ford
1621
+
1622
+ Bakken
1623
+
1624
+ Low
1625
+ High
1626
+ Cost of Supply²
1627
+
1628
+ [Graph 1: Eagle Ford Well Capex/EUR³ ($/BOE)]
1629
+ | | ConocoPhillips |
1630
+ | ----------- | ----------- |
1631
+ | | 10 |
1632
+ | | 20 |
1633
+ | | 30 |
1634
+
1635
+ [Graph 2: Bakken Well Capex/EUR⁴ ($/BOE)]
1636
+ | | ConocoPhillips |
1637
+ | ----------- | ----------- |
1638
+ | | 8 |
1639
+ | | 10 |
1640
+ | | 15 |
1641
+
1642
+ [Graph 3: Production (MBOED)]
1643
+ | Metric | 2023E | 2024-2028 Average | 2029-2032 Average |
1644
+ | ----------- | ----------- | ----------- | ----------- |
1645
+ | Bakken | 100 | 100 | 90 |
1646
+ | Eagle Ford | 230 | 230 | 240 |
1647
+ | | 300 | 300 | 300 |
1648
+ | | 400 | 400 | 400 |
1649
+
1650
+ Delivers ~$20B FCF
1651
+ Over the Next 10 Years at $60/BBL WTI
1652
+
1653
+ ¹Unconventional acres. ²Source: Enverus and ConocoPhillips (March 2023). ³Source: Enverus (March 2023); Average single well capex/EUR; Top eight public operators based on wells online in vintage years 2019-2022, greater than
1654
+ 50% oil weight; Competitors include: BP, CHK, CPE, DVN, EOG, MGY and MRO. ⁴Source: Enverus (March 2023); Average single well capex/EUR; Top eight operators based on wells online in vintage years 2019-2022, greater than 50%
1655
+ oil weight; Competitors include CHRD, Continental, DVN, ERF, HES, MRO and XOM.
1656
+ Free cash flow (FCF) is a non-GAAP measure defined in the Appendix.
1657
+
1658
+ --- end page 42
1659
+
1660
+ ## Enhancing Value and Lowering Emissions through Technology
1661
+
1662
+ ### Drilling
1663
+
1664
+ ![Figure 1: Permian Real-Time Ops Center](image_reference)
1665
+
1666
+ Permian Real-Time Ops Center
1667
+
1668
+ * Real-time analytics improve curve build time by 20% in Eagle Ford
1669
+ * Permian drilling efficiencies¹ improved ~50% since 2019
1670
+
1671
+ ### Completions
1672
+
1673
+ ![Figure 2: E-Frac](image_reference)
1674
+
1675
+ E-Frac
1676
+
1677
+ * Dual fuel and E-frac reduce emissions ~10% to ~40% compared to diesel
1678
+ * >50% of Permian completions to be Simulfrac'd in 2023
1679
+
1680
+ ### Operations
1681
+
1682
+ ![Figure 3: Autonomous Drone Pilot](image_reference)
1683
+
1684
+ Autonomous Drone Pilot
1685
+
1686
+ * Real-time intelligent production surveillance, automation and process optimization
1687
+ * Drone-based surveillance increases inspection frequency
1688
+
1689
+ Leveraging Operational Wins Across Core Four Basins
1690
+
1691
+ ¹Permian drilling efficiencies defined as measured depth (feet) per day.
1692
+
1693
+ --- end page 43
1694
+
1695
+ ## Delivering on Emissions Reductions and Sustainable Development
1696
+
1697
+ ### Lower 48 GHG Intensity¹ (kg CO2e/BOE)
1698
+
1699
+ ![GHG Emissions intensity chart]
1700
+
1701
+ 28
1702
+
1703
+ 2019
1704
+
1705
+ ~50%
1706
+ Reduction
1707
+
1708
+ <15
1709
+
1710
+ 2022²
1711
+
1712
+ ### Lower 48 Associated Gas Flaring³ (%)
1713
+
1714
+ ![Lower 48 Associated Gas Flaring chart]
1715
+
1716
+ 1.7%
1717
+
1718
+ ~80%
1719
+ Reduction
1720
+
1721
+ 2019
1722
+
1723
+ 0.3%
1724
+
1725
+ 2022²
1726
+
1727
+ ### Permian Recycled Frac Water (%)
1728
+
1729
+ ![Permian Recycled Frac Water Chart]
1730
+
1731
+ 52%
1732
+
1733
+ >3X
1734
+ Increase
1735
+
1736
+ 2019
1737
+
1738
+ 11%
1739
+
1740
+ 2022
1741
+
1742
+ ### Focused Plans to Further Reduce Emissions and Maximize Water Reuse
1743
+
1744
+ * Reducing Methane and Flaring
1745
+ * Improving Facilities Design
1746
+ * Electrifying Compression
1747
+ * Optimizing D&C Power
1748
+ * Water Conservation
1749
+
1750
+ ¹Gross operated GHG Emissions (Scope 1 and 2). ²Preliminary estimates. Includes Permian, Eagle Ford and Bakken only. ³Excludes safety, assist gas, pilot gas, tanks and emergency shutdown flaring.
1751
+
1752
+ --- end page 44
1753
+
1754
+ ## Significant Free Cash Flow Growth Over the Decade
1755
+
1756
+ ### Capital ($B)
1757
+
1758
+ [Graph 1: Capital ($B)]
1759
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1760
+ | ----------- | ----------- | ----------- | ----------- |
1761
+ | | 6 | 7 | 8 |
1762
+
1763
+ ### Production (MBOED)
1764
+
1765
+ [Graph 2: Production (MBOED)]
1766
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1767
+ | ----------- | ----------- | ----------- | ----------- |
1768
+ | | 1,100 | 1,300 | 1,450 |
1769
+
1770
+ ### FCF ($B)
1771
+
1772
+ [Graph 3: FCF ($B)]
1773
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1774
+ | ----------- | ----------- | ----------- | ----------- |
1775
+ | | 6.5 | 8 | 12 |
1776
+
1777
+ $80/BBL WTI
1778
+ Upside Sensitivity
1779
+
1780
+ $60/BBL WTI
1781
+ Mid-Cycle Planning Price
1782
+
1783
+ ~$65B FCF and ~50% Reinvestment Rate
1784
+ Over the Next 10 Years at $60/BBL WTI
1785
+
1786
+ --- end page 45
1787
+
1788
+ ## Financial Plan
1789
+
1790
+ Bill Bullock
1791
+ EVP and CFO
1792
+
1793
+ ConocoPhillips
1794
+
1795
+ ## Financial Plan
1796
+
1797
+ Bill Bullock
1798
+ EVP and CFO
1799
+
1800
+ --- end page 46
1801
+
1802
+ ## A Financial Plan with Durability of Returns and Cash Flow Growth
1803
+
1804
+ Consistent Returns
1805
+ on and of Capital
1806
+
1807
+ * Peer-leading ROCE improving through time
1808
+ * CFO-based distribution framework with compelling shareholder returns
1809
+
1810
+ Cash Flow Growth
1811
+ into the Next Decade
1812
+
1813
+ * ~6% CFO CAGR1 through the plan
1814
+ * Disciplined capital investment accelerates FCF growth
1815
+
1816
+ Battle-Tested
1817
+ Financial Priorities
1818
+
1819
+ * 'A'-rated balance sheet resilient through cycles
1820
+ * Stress-tested financial durability
1821
+
1822
+ 1CAGR calculated from FY2024 at $60/BBL WTI.
1823
+ Return on capital employed (ROCE), cash from operations (CFO) and free cash flow (FCF) are non-GAAP measures defined in the Appendix.
1824
+
1825
+ --- end page 47
1826
+
1827
+ ## Committed to Top-Quartile Returns on Capital
1828
+
1829
+ ### Five-Year Average ROCE¹
1830
+ Peer-Leading ROCE Performance
1831
+
1832
+ ![Figure 1: A bar chart displays five-year average ROCE. The y-axis is labeled with percentages from 0% to 16%, in increments of 2%. The x-axis displays data for ConocoPhillips, independent peers, and integrated peers. ConocoPhillips is represented by a red bar reaching 14%. Independent peers are represented by a series of grey bars of decreasing height. Integrated peers are represented by a series of darker grey bars, also decreasing in height.](image.png)
1833
+
1834
+ ### Earnings ($B)
1835
+ Low Cost of Supply Investments Fuel Expanding Margins
1836
+
1837
+ ~10% CAGR
1838
+ 2024-2032 at $60/BBL WTI
1839
+
1840
+ ![Figure 2: A bar chart displays earnings in billions of dollars. The y-axis is labeled with values from 0 to 30. The x-axis displays the years 2023E, 2024-2028 Average, and 2029-2032 Average, each with a blue bar rising to around 11, 14, and 18 respectively.](image.png)
1841
+
1842
+ ### Return on Capital Employed (ROCE)
1843
+ Near-Term Delivery of S&P 500 Top-Quartile ROCE
1844
+
1845
+ ![Figure 3: A bar chart displays the return on capital employed (ROCE). The y-axis displays values from 0% to 40%, in increments of 10%. The x-axis shows 2023E, 2024-2028 Average, and 2029-2032 Average, each with a blue bar, and with a green line indicating the S&P 500 Top Quartile.](image.png)
1846
+
1847
+ 1Source: Bloomberg Return on Capital 2018 through 2022. 2Integrated peers include CVX and XOM. Independent peers include APA, DVN, EOG, HES, OXY and PXD. 3Represents top quartile of five-year average ROCE (2018-2022)
1848
+ for constituents as of December 31, 2022.
1849
+ Earnings refers to net income. Return on capital employed (ROCE) is a non-GAAP measure defined in the Appendix.
1850
+
1851
+ --- end page 48
1852
+
1853
+ ## Cash Flow Growth into the Next Decade
1854
+
1855
+ ### Cash From Operations ($B)
1856
+
1857
+ ![Graph 1: Cash From Operations ($B)](image_reference)
1858
+
1859
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1860
+ | -------------------------- | ----- | ----------------- | ----------------- |
1861
+ | $60/BBL WTI Mid-Cycle Planning Price | 22 | 24 | 27 |
1862
+ | $80/BBL WTI Upside Sensitivity | | 3 | 7 |
1863
+
1864
+ ~6% CAGR
1865
+ 2024-2032 at $60/BBL WTI
1866
+
1867
+ ### Free Cash Flow ($B)
1868
+
1869
+ ![Graph 2: Free Cash Flow ($B)](image_reference)
1870
+
1871
+ | | 2023E | 2024-2028 Average | 2029-2032 Average |
1872
+ | -------------------------- | ----- | ----------------- | ----------------- |
1873
+ | $60/BBL WTI Mid-Cycle Planning Price | 11 | 13 | 18 |
1874
+ | $80/BBL WTI Upside Sensitivity | | 2 | 5 |
1875
+
1876
+ ~11% CAGR
1877
+ 2024-2032 at $60/BBL WTI
1878
+
1879
+ ~$3.5B of Annual CFO is from
1880
+ Longer-Cycle Projects¹
1881
+ 2029-2032 Average at $60/BBL WTI
1882
+
1883
+ > $115B FCF Available
1884
+ for Distribution
1885
+ Over the Next 10 Years at $60/BBL WTI
1886
+
1887
+ ¹2029-2032 annual average CFO from longer-cycle projects of ~$5B at $80/BBL WTI. Longer-cycle projects are Willow, Port Arthur LNG Phase 1 and North Field Expansions.
1888
+ Cash from operations (CFO) and free cash flow (FCF) are non-GAAP measures defined in the Appendix.
1889
+
1890
+ --- end page 49
1891
+
1892
+ ## CFO-Based Framework Delivers Leading Returns of Capital
1893
+
1894
+ ### Five-Year Distribution as % of CFO1
1895
+ Consistent Execution on Our Priorities
1896
+
1897
+ ![Graph 1: Five-Year Distribution as % of CFO1 Chart](image_reference)
1898
+
1899
+ | | |
1900
+ | ----------- | ----------- |
1901
+ | ConocoPhillips | 44% |
1902
+ | Integrated Peers³ | 41% |
1903
+ | Independent Peers³ | 34% |
1904
+
1905
+ ### Five-Year Distribution Yield2
1906
+ Track Record of Leading Distributions
1907
+
1908
+ ![Graph 2: Five-Year Distribution Yield2 Chart](image_reference)
1909
+
1910
+ | | |
1911
+ | ----------- | ----------- |
1912
+ | ConocoPhillips | 7% |
1913
+ | Independent Peers³ | 6% |
1914
+ | Integrated Peers³ | 5% |
1915
+
1916
+ ### Compelling Shareholder Returns Through Cycles
1917
+
1918
+ #### Tier 1
1919
+ Ordinary Dividend
1920
+
1921
+ S&P Top-Quartile
1922
+ Dividend Growth
1923
+
1924
+ +
1925
+
1926
+ #### Tier 2
1927
+ Share Buybacks
1928
+
1929
+ Reduces Absolute
1930
+ Dividend Over Time
1931
+
1932
+ +
1933
+
1934
+ #### Tier 3
1935
+ VROC
1936
+
1937
+ Flexible Channel for
1938
+ Higher Commodity Prices
1939
+
1940
+ <sup>1</sup>Source: Bloomberg. 2018-2022 weighted-average of dividend paid and share buybacks as a percentage of CFO. <sup>2</sup>Source: Bloomberg; 2018-2022 average of dividend paid and share buybacks as a percentage of year-end market cap.
1941
+ <sup>3</sup>Integrated peers include CVX and XOM. Independent peers include APA, DVN, EOG, HES, OXY and PXD.
1942
+ Cash from operations (CFO) is a non-GAAP measure defined in the Appendix.
1943
+
1944
+ ConocoPhillips 50
1945
+
1946
+ --- end page 50
1947
+
1948
+ ## Fortress Balance Sheet: A Strategic Asset
1949
+
1950
+ ### Gross Debt Profile
1951
+
1952
+ $20B
1953
+
1954
+ $3B
1955
+
1956
+ $17B
1957
+
1958
+ $2B
1959
+
1960
+ $15B
1961
+
1962
+ 2021
1963
+ Debt Reduction
1964
+ Achieved
1965
+ 2022
1966
+ Natural
1967
+ Maturities
1968
+ 2026
1969
+
1970
+ ### On Target
1971
+
1972
+ * $5B debt reduction by 2026
1973
+ * ~$250MM/year interest reduction
1974
+ * Weighted-average maturity extension of three years
1975
+
1976
+ ### Net Debt/CFO
1977
+ Consensus 2023¹
1978
+
1979
+ 3.0X
1980
+
1981
+ 2.0X
1982
+
1983
+ 1.0X
1984
+
1985
+ 0.0X
1986
+
1987
+ Integrated
1988
+ Peers²
1989
+ ConocoPhillips
1990
+ 0.3x
1991
+ Independent
1992
+ Peers ²
1993
+ S&P 500
1994
+ Energy
1995
+ S&P 500
1996
+
1997
+ ### Net Debt/CFO at $60/BBL WTI
1998
+
1999
+ 0.3x
2000
+
2001
+ 0.2x
2002
+
2003
+ 2024-2028
2004
+ Average
2005
+ 2029-2032
2006
+ Average
2007
+
2008
+ Source: Bloomberg Net Debt to CFO. As of March 30, 2023. ²Integrated peers include CVX and XOM. Independent peers include APA, DVN, EOG, HES, OXY and PXD.
2009
+ Net debt and cash from operations (CFO) are non-GAAP measures defined in the Appendix.
2010
+
2011
+ --- end page 51
2012
+
2013
+ ## Plan Resilient Through Stress Test
2014
+
2015
+ Our Rationale for Holding Cash
2016
+
2017
+ ![NetDebt/CFO stress test]
2018
+
2019
+ 1.5x
2020
+ Two-Year $40/BBL WTI¹ Stress Test
2021
+ Net Debt/CFO
2022
+
2023
+ Longer-cycle projects
2024
+
2025
+ 1.0x
2026
+ Share buybacks
2027
+
2028
+ 0.5x
2029
+ Strategic
2030
+ Cash
2031
+ Down-cycle price protection
2032
+
2033
+ 0.0x
2034
+ 2023
2035
+ Consensus²
2036
+ 2024
2037
+ 2025
2038
+ 2026
2039
+ 2027
2040
+ 2028
2041
+ Business development
2042
+ optionality
2043
+
2044
+ $60/BBL WTI (Base Plan) Two-Years at $40/BBL WTI
2045
+ Reserve Cash
2046
+ ~$2-3B
2047
+ Maintain near-term
2048
+ operating plan even with
2049
+ price volatility
2050
+
2051
+ Cash and CFO Fund Consistent Execution in Low Price Scenario
2052
+
2053
+ * Maintain capital program, including longer-cycle projects
2054
+ * Meet 30% distribution commitment through ordinary dividend and share buybacks
2055
+
2056
+ Operating Cash
2057
+ ~$1B
2058
+ Daily operating and
2059
+ working capital
2060
+
2061
+ * <1.5x leverage ratio through the down-cycle
2062
+ * No additional debt required
2063
+
2064
+ ¹2022 Real, escalating at 2.25% annually. ²Source: Bloomberg Net Debt to CFO. As of March 30, 2023.
2065
+ Net debt and cash from operations (CFO) are non-GAAP measures defined in the Appendix.
2066
+
2067
+ --- end page 52
2068
+
2069
+ ## A Powerful Plan with Differential Upside
2070
+
2071
+ ![10-Year Plan graph]
2072
+
2073
+ $350
2074
+
2075
+ 10-Year Plan ($B)
2076
+ 2023-2032
2077
+
2078
+ $300
2079
+
2080
+ CFO at
2081
+ $80/BBL WTIUpside Sensitivity
2082
+
2083
+ $250
2084
+
2085
+ $200
2086
+
2087
+ $150
2088
+
2089
+ $100
2090
+
2091
+ $50
2092
+ Additional
2093
+ Distributions
2094
+
2095
+ CFO at
2096
+ $60/BBL WTI
2097
+ Mid-Cycle
2098
+ Planning Price
2099
+
2100
+ 30% of CFO
2101
+ Distribution
2102
+ Commitment
2103
+
2104
+ Capital
2105
+
2106
+ $0
2107
+ Cash 1
2108
+
2109
+ Cash¹
2110
+ Sources
2111
+ Uses
2112
+
2113
+ Peer leading ROCE improving through time
2114
+
2115
+ Top quartile ordinary dividend growth
2116
+
2117
+ >90% market cap² distributed
2118
+
2119
+ ~$35/BBL WTI FCF Breakeven³
2120
+
2121
+ ~6% CFO CAGR, ~11% FCF CAGR
2122
+
2123
+ Unhedged for price upside
2124
+
2125
+ Cash includes cash, cash equivalents, restricted cash and short-term investments. ²Market cap of ~$121B at March 31, 2023 close. ³Average over the next 10 years.
2126
+ CAGRs calculated from FY2024 at $60/BBL WTI. Cash from operations (CFO), free cash flow (FCF) and return on capital employed (ROCE) are non-GAAP measures. Definitions are included in the Appendix.
2127
+
2128
+ ConocoPhillips 53
2129
+
2130
+ --- end page 53
2131
+
2132
+ ## Closing
2133
+
2134
+ Ryan Lance
2135
+ Chairman and CEO
2136
+
2137
+ ConocoPhillips
2138
+
2139
+ ## Closing
2140
+
2141
+ Ryan Lance
2142
+ Chairman and CEO
2143
+
2144
+ --- end page 54
2145
+
2146
+ ## ConocoPhillips Remains the Must-Own E&P Company
2147
+
2148
+ ### What You Heard Today
2149
+
2150
+ We are committed to delivering superior returns **on** and **of** capital through the cycles
2151
+
2152
+ We have a **deep, durable** and **diverse** portfolio
2153
+
2154
+ We are progressing our **2050 Net-Zero ambition** and accelerating our 2030 GHG emissions intensity reduction target
2155
+
2156
+ ### Foundational Principles
2157
+
2158
+ Balance Sheet
2159
+ Strength
2160
+
2161
+ Disciplined
2162
+ Investments
2163
+
2164
+ **RETURNS**
2165
+
2166
+ Peer-Leading
2167
+ Distributions
2168
+
2169
+ ESG
2170
+ Excellence
2171
+
2172
+ Deliver Superior Returns
2173
+ Through Cycles
2174
+
2175
+ ### A Compelling Returns Focused 10-Year Plan
2176
+
2177
+ *Peer leading* ROCE *improving through time*
2178
+
2179
+ **Top quartile** ordinary dividend growth
2180
+
2181
+ **>90% market cap¹ distributed**
2182
+
2183
+ **~$35/BBL** WTI FCF Breakeven²
2184
+
2185
+ **~6%** CFO CAGR, **~11%** FCF CAGR
2186
+
2187
+ Unhedged for **price upside**
2188
+
2189
+ ¹Market cap of ~$121B at March 31, 2023 close. ²Average over the next ten years.
2190
+ CAGRs calculated from FY2024 at $60/BBL WTI. Cash from operations (CFO), free cash flow (FCF) and return on capital employed (ROCE) are non-GAAP measures defined in the appendix.
2191
+
2192
+ ConocoPhillips 55
2193
+
2194
+ --- end page 55
2195
+
2196
+ # Appendix
2197
+
2198
+ Reconciliations, Abbreviations and Definitions
2199
+
2200
+ ConocoPhillips
2201
+
2202
+ # Appendix
2203
+
2204
+ Reconciliations, Abbreviations and Definitions
2205
+
2206
+ --- end page 56
2207
+
2208
+ ## Abbreviations
2209
+
2210
+ * APLNG: Australia Pacific LNG
2211
+ * B: billion
2212
+ * BBL: barrel
2213
+ * BBOE: billions of barrels of oil equivalent
2214
+ * BCFD: billion cubic feet per day
2215
+ * BOE: barrels of oil equivalent
2216
+ * CAGR: compound annual growth rate
2217
+ * CAPEX: capital expenditures and investments
2218
+ * CCS: carbon capture and storage
2219
+ * CFO: cash from operations
2220
+ * CO2: carbon dioxide
2221
+ * CO₂e: carbon dioxide equivalent
2222
+ * CoS: Cost of Supply
2223
+ * CPF: central processing facility
2224
+ * E-FRAC: electric frac
2225
+ * EMENA: Europe, Middle East and North Africa
2226
+ * EPC: engineering procurement and construction
2227
+ * ESG: environmental, social and governance
2228
+ * EUR: estimated ultimate recovery
2229
+ * FEED: front end engineering design
2230
+ * FERC: Federal Energy Regulatory Commission
2231
+ * FCF: free cash flow
2232
+ * FID: final investment decision
2233
+ * FT: foot
2234
+ * G&A: general and administrative
2235
+ * GAAP: generally accepted accounting principles
2236
+ * GHG: greenhouse gas emissions
2237
+
2238
+ * GKA: Greater Kuparuk Area
2239
+ * GPA: Greater Prudhoe Area
2240
+ * GWA: Greater Willow Area
2241
+ * GWh: gigawatt-hour
2242
+ * KG: kilograms
2243
+ * LNG: liquefied natural gas
2244
+ * MBOD: thousands of barrels of oil per day
2245
+ * MBOED: thousands of barrels of oil equivalent per day
2246
+ * MM: million
2247
+ * MMBOD: millions of barrels of oil per day
2248
+ * MMBOED: millions of barrels of oil equivalent per day
2249
+ * MT: million tonnes
2250
+ * MTPA: million tonnes per annum
2251
+ * MWh: megawatt-hour
2252
+ * NFE: North Field East
2253
+ * NFS: North Field South
2254
+ * NGL: natural gas liquids
2255
+ * OPEX: operating expenses
2256
+ * PA LNG: Port Arthur LNG
2257
+ * QG3: Qatargas 3
2258
+ * ROCE: return on capital employed
2259
+ * Te: tonnes
2260
+ * THE: Trading Hub Europe
2261
+ * VROC: variable return of cash
2262
+ * WNS: Western North Slope
2263
+ * WTI: West Texas Intermediate
2264
+
2265
+ ConocoPhillips 57
2266
+
2267
+ --- end page 57
2268
+
2269
+ ## Non-GAAP Reconciliations
2270
+
2271
+ Use of Non-GAAP Financial Information: ConocoPhillips' financial information includes information prepared in conformity with generally accepted accounting principles (GAAP) as well as non-GAAP information. It is management's intent to provide non-GAAP financial information to enhance understanding of our consolidated financial information as prepared in accordance with GAAP. This non-GAAP information should be considered by the reader in addition to, but not instead of, the financial statements prepared in accordance with GAAP. Each historical non-GAAP financial measure included in this presentation is presented along with the corresponding GAAP measure, so as not to imply that more emphasis should be placed on the non-GAAP measure. The non-GAAP financial information presented may be determined or calculated differently by other companies.
2272
+
2273
+ ### Reconciliation of Return on Capital Employed (ROCE)
2274
+
2275
+ | | 2016 | 2019 | 2022 |
2276
+ | ---------------------------------------------------------------- | ------- | ------- | ------- |
2277
+ | **Numerator** | | | |
2278
+ | Net Income (Loss) Attributable to ConocoPhillips | (3,615) | 7,189 | 18,680 |
2279
+ | Adjustment to Exclude Special Items | 307 | (3,153) | (1,340) |
2280
+ | Net Income Attributable to Noncontrolling Interests | 56 | 68 | - |
2281
+ | After-tax Interest Expense | 796 | 637 | 641 |
2282
+ | ROCE Earnings | (2,456) | 4,741 | 17,981 |
2283
+ | | | | |
2284
+ | **Denominator** | | | |
2285
+ | Average Total Equity¹ | 37,837 | 33,713 | 48,801 |
2286
+ | Average Total Debt² | 28,225 | 14,930 | 17,742 |
2287
+ | Average Capital Employed | 66,062 | 48,643 | 66,543 |
2288
+ | | | | |
2289
+ | ROCE (percent) | -4% | 10% | 27% |
2290
+
2291
+ ¹Average total equity is the average of beginning total equity and ending total equity by quarter.
2292
+ ²Average total debt is the average of beginning long-term debt and short-term debt and ending long-term debt and short-term debt by quarter.
2293
+
2294
+ --- end page 58
2295
+
2296
+ ## Non-GAAP Reconciliations – Continued
2297
+
2298
+ ### Reconciliation of Net Cash Provided by Operating Activities to Cash from Operations to Free Cash Flow
2299
+
2300
+ ($ Millions, Except as Indicated)
2301
+
2302
+ | | 2016 | 2019 | 2022 |
2303
+ | -------------------------------------------- | ----- | ----- | ----- |
2304
+ | Net Cash Provided by Operating Activities | 4,403 | 11,104 | 28,314 |
2305
+ | Adjustments: | | | |
2306
+ | Net Operating Working Capital Changes | (481) | (579) | (234) |
2307
+ | Cash from Operations | 4,884 | 11,683 | 28,548 |
2308
+ | Capital Expenditures and Investments | (4,869) | (6,636) | (10,159) |
2309
+ | Free Cash Flow | 15 | 5,047 | 18,389 |
2310
+
2311
+ ### Reconciliation of Debt to Net Debt
2312
+
2313
+ ($ Millions, Except as Indicated)
2314
+
2315
+ | | 2016 | 2019 | 2022 |
2316
+ | ---------------------------------- | -------- | -------- | -------- |
2317
+ | Total Debt | 27,275 | 14,895 | 16,643 |
2318
+ | Less: | | | |
2319
+ | Cash and Cash Equivalents¹ | 3,610 | 5,362 | 6,694 |
2320
+ | Short-Term Investments | 50 | 3,028 | 2,785 |
2321
+ | Net Debt | 23,615 | 6,505 | 7,164 |
2322
+
2323
+ ¹Includes restricted cash of $0.3B in 2019 and $0.2B in 2022.
2324
+
2325
+ --- end page 59
2326
+
2327
+ ## Non-GAAP Reconciliations – Continued
2328
+
2329
+ ### Reconciliation of Reinvestment Rate
2330
+
2331
+ ($ Millions, Except as Indicated)
2332
+
2333
+ | | 2012 | 2013 | 2014 | 2015 | 2016 | 2017 | 2018 | 2019 | 2020 | 2021 | 2022 |
2334
+ | :-------------------------------------------- | :----- | :----- | :----- | :----- | :----- | :----- | :----- | :----- | :----- | :----- | :----- |
2335
+ | Numerator | | | | | | | | | | | |
2336
+ | Capital Expenditure and Investments | 14,172 | 15,537 | 17,085 | 10,050 | 4,869 | 4,591 | 6,750 | 6,636 | 4,715 | 5,324 | 10,159 |
2337
+ | Denominator | | | | | | | | | | | |
2338
+ | Net Cash Provided by Operating Activities | 13,922 | 16,087 | 16,735 | 7,572 | 4,403 | 7,077 | 12,934 | 11,104 | 4,802 | 16,996 | 28,314 |
2339
+ | Net Operating Working Capital Changes | (1,239) | 48 | (505) | (22) | (481) | 15 | 635 | (579) | (372) | 1,271 | (234) |
2340
+ | Cash from Operations | 15,161 | 16,039 | 17,240 | 7,594 | 4,884 | 7,062 | 12,299 | 11,683 | 5,174 | 15,725 | 28,548 |
2341
+ | Reinvestment Rate | 93% | 97% | 99% | 132% | 100% | 65% | 55% | 57% | 91% | 34% | 36% |
2342
+
2343
+ **104%** Average 2012-2016 Reinvestment Rate
2344
+
2345
+ **56%** Average 2017-2022 Reinvestment Rate
2346
+
2347
+ Reinvestment rates in 2012-2016 and 2017-2022 columns represent the simple averages of corresponding years.
2348
+
2349
+ --- end page 60
2350
+
2351
+ ## Definitions
2352
+
2353
+ ### Non-GAAP Measures
2354
+
2355
+ Cash from operations (CFO) is calculated by removing the impact from operating working capital from cash provided by operating activities. The company believes that the non-GAAP measure cash from operations is useful to investors to help understand changes in cash provided by operating activities excluding the impact of working capital changes across periods on a consistent basis and with the performance of peer companies in a manner that, when viewed in combination with the Company's results prepared in accordance with GAAP, provides a more complete understanding of the factors and trends affecting the Company's business and performance. Additionally, when the company estimates CFO based on sensitivities, it assumes no operating working capital changes, and therefore CFO equals cash provided by operating activities.
2356
+
2357
+ Free cash flow is defined as cash from operations net of capital expenditures and investments. The company believes free cash flow is useful to investors in understanding how existing cash from operations is utilized as a source for sustaining our current capital plan and future development growth. Free cash flow is not a measure of cash available for discretionary expenditures since the company has certain non-discretionary obligations such as debt service that are not deducted from the measure.
2358
+
2359
+ Net debt includes total balance sheet debt less cash, cash equivalents and short-term investments. The company believes this non-GAAP measure is useful to investors as it provides a measure to compare debt less cash, cash equivalents and short-term investments across periods on a consistent basis.
2360
+
2361
+ Reinvestment rate defined as total capital expenditures divided by cash from operations. Cash from operations is a non-GAAP measure defined in this Appendix. The company believes reinvestment rate is useful to investors in understanding the execution of the company's disciplined and returns-focused capital allocation strategy.
2362
+
2363
+ Return on capital employed (ROCE) is a measure of the profitability of the company's capital employed in its business operations compared with that of its peers. The company calculates ROCE as a ratio, the numerator of which is net income, and the denominator of which is average total equity plus average total debt. The net income is adjusted for after-tax interest expense, for the purposes of measuring efficiency of debt capital used in operations; net income is also adjusted for non-operational or special items impacts to allow for comparability in the long-term view across periods. The company believes ROCE is a good indicator of long-term company and management performance as it relates to capital efficiency, both absolute and relative to the company's primary peer group.
2364
+
2365
+ --- end page 61
2366
+
2367
+ ## Definitions
2368
+
2369
+ ### Other Terms
2370
+
2371
+ Cost of Supply is the WTI equivalent price that generates a 10% after-tax return on a point-forward and fully burdened basis. Fully burdened includes capital infrastructure, foreign exchange, price-related inflation, G&A and carbon tax (if currently assessed). If no carbon tax exists for the asset, carbon pricing aligned with internal energy scenarios are applied. All barrels of resource in the Cost of Supply calculation are discounted at 10%.
2372
+
2373
+ Distributions is defined as the total of the ordinary dividend, share repurchases and variable return of cash (VROC). Also referred to as return of capital.
2374
+
2375
+ Free cash flow breakeven is the WTI price at which cash from operations equals capital expenditures and investments. Also referred to as capital breakeven. Cash from operations is a non-GAAP measure defined in this Appendix.
2376
+
2377
+ Leverage ratio refers to net debt divided by cash from operations. Net debt and cash from operations are non-GAAP measures defined in this Appendix.
2378
+
2379
+ Optimized Cascade® Process is a ConocoPhillips proprietary licensed process for technology to liquefy natural gas. More information can be found at http://Inglicensing.conocophillips.com/what-we-do/Ing-technology/optimized-cascade-process.
2380
+
2381
+ Reserve replacement is defined by the Company as a ratio representing the change in proved reserves, net of production, divided by current year production. The Company believes that reserve replacement is useful to investors to help understand how changes in proved reserves, net of production, compare with the Company's current year production, inclusive of acquisitions and dispositions.
2382
+
2383
+ Resources: The company estimates its total resources based on the Petroleum Resources Management System (PRMS), a system developed by industry that classifies recoverable hydrocarbons into commercial and sub-commercial to reflect their status at the time of reporting. Proved, probable and possible reserves are classified as commercial, while remaining resources are categorized as sub-commercial or contingent. The company's resource estimate includes volumes associated with both commercial and contingent categories. The SEC permits oil and gas companies, in their filings with the SEC, to disclose only proved, probable and possible reserves. U.S. investors are urged to consider closely the oil and gas disclosures in our Form 10-K and other reports and filings with the SEC.
2384
+
2385
+ Resource life is calculated as total resource under $40 Cost of Supply divided by 2022 production.
2386
+
2387
+ Return of capital is defined as the total of the ordinary dividend, share repurchases and variable return of cash (VROC). Also referred to as distributions.
2388
+
2389
+ --- end page 62
2390
+
data/cache/XC9500_CPLD_Family.pdf.md ADDED
@@ -0,0 +1,802 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ – PRODUCT OBSOLETE / UNDER OBSOLESCENCE –
2
+
3
+ # XC9500 In-System Programmable CPLD Family
4
+
5
+ Product Specification
6
+
7
+ DS063 (v6.0) May 17, 2013
8
+
9
+ # Features
10
+
11
+ * High-performance
12
+ * 5 ns pin-to-pin logic delays on all pins
13
+ * fCNT to 125 MHz
14
+ * Large density range
15
+ * 36 to 288 macrocells with 800 to 6,400 usable gates
16
+ * 5V in-system programmable
17
+ * Endurance of 10,000 program/erase cycles
18
+ * Program/erase over full commercial voltage and temperature range
19
+ * Enhanced pin-locking architecture
20
+ * Flexible 36V18 Function Block
21
+ * 90 product terms drive any or all of 18 macrocells within Function Block
22
+ * Global and product term clocks, output enables, set and reset signals
23
+ * Extensive IEEE Std 1149.1 boundary-scan (JTAG) support
24
+ * Programmable power reduction mode in each macrocell
25
+ * Slew rate control on individual outputs
26
+ * User programmable ground pin capability
27
+ * Extended pattern security features for design protection
28
+ * High-drive 24 mA outputs
29
+ * 3.3V or 5V I/O capability
30
+
31
+ * Advanced CMOS 5V FastFLASH™™ technology
32
+ * Supports parallel programming of multiple XC9500 devices
33
+
34
+ # Family Overview
35
+
36
+ The XC9500 CPLD family provides advanced in-system programming and test capabilities for high performance, general purpose logic integration. All devices are in-system programmable for a minimum of 10,000 program/erase cycles. Extensive IEEE 1149.1 (JTAG) boundary-scan support is also included on all family members.
37
+
38
+ As shown in Table 1, logic density of the XC9500 devices ranges from 800 to over 6,400 usable gates with 36 to 288 registers, respectively. Multiple package options and associated I/O capacity are shown in Table 2. The XC9500 family is fully pin-compatible allowing easy design migration across multiple density options in a given package footprint.
39
+
40
+ The XC9500 architectural features address the requirements of in-system programmability. Enhanced pin-locking capability avoids costly board rework. An expanded JTAG instruction set allows version control of programming patterns and in-system debugging. In-system programming throughout the full device operating range and a minimum of 10,000 program/erase cycles provide worry-free reconfigurations and system field upgrades.
41
+
42
+ Advanced system features include output slew rate control and user-programmable ground pins to help reduce system noise. I/Os may be configured for 3.3V or 5V operation. All outputs provide 24 mA drive.
43
+
44
+ [Table 1: XC9500 Device Family]
45
+
46
+ | | XC9536 | XC9572 | XC95108 | XC95144 | XC95216 | XC95288 |
47
+ | :------------- | :-----: | :-----: | :------: | :-----: | :-----: | :-----: |
48
+ | Macrocells | 36 | 72 | 108 | 144 | 216 | 288 |
49
+ | Usable Gates | 800 | 1,600 | 2,400 | 3,200 | 4,800 | 6,400 |
50
+ | Registers | 36 | 72 | 108 | 144 | 216 | 288 |
51
+ | TPD (ns) | 5 | 7.5 | 7.5 | 7.5 | 10 | 15 |
52
+ | TSU (ns) | 3.5 | 4.5 | 4.5 | 4.5 | 6.0 | 8.0 |
53
+ | TCO (ns) | 4.0 | 4.5 | 4.5 | 4.5 | 6.0 | 8.0 |
54
+ | fCNT (MHz)(1) | 100 | 125 | 125 | 125 | 111.1 | 92.2 |
55
+ | fSYSTEM (MHz)(2) | 100 | 83.3 | 83.3 | 83.3 | 66.7 | 56.6 |
56
+
57
+ 1. fCNT = Operating frequency for 16-bit counters.
58
+ 2. fSYSTEM = Internal operating frequency for general purpose system designs spanning multiple FBs.
59
+
60
+ © 1998-2007, 2013 Xilinx, Inc. All rights reserved. All Xilinx trademarks, registered trademarks, patents, and disclaimers are as listed at http://www.xilinx.com/legal.htm.
61
+
62
+ All other trademarks and registered trademarks are the property of their respective owners. All specifications are subject to change without notice.
63
+
64
+ DS063 (v6.0) May 17, 2013
65
+
66
+ Product Specification
67
+
68
+ www.xilinx.com
69
+
70
+ 1
71
+
72
+
73
+ --- end page 1
74
+
75
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
76
+
77
+ XC9500 In-System Programmable CPLD Family
78
+
79
+ [Table 2: Available Packages and Device I/O Pins (not including dedicated JTAG pins)]
80
+ | | XC9536 | XC9572 | XC95108 | XC95144 | XC95216 | XC95288 |
81
+ |----------------|--------|--------|---------|---------|---------|---------|
82
+ | 44-Pin VQFP | 34 | | | | | |
83
+ | 44-Pin PLCC | 34 | 34 | | | | |
84
+ | 48-Pin CSP | 34 | | | | | |
85
+ | 84-Pin PLCC | - | 69 | 69 | | | |
86
+ | 100-Pin TQFP | - | 72 | 81 | 81 | | |
87
+ | 100-Pin PQFP | - | 72 | 81 | 81 | | |
88
+ | 160-Pin PQFP | - | - | 108 | 133 | 133 | |
89
+ | 208-Pin HQFP | - | - | - | - | 166 | 168 |
90
+ | 352-Pin BGA | - | - | - | - | 166(2) | 192 |
91
+
92
+ 1. Most packages available in Pb-Free option. See individual data sheets for more details.
93
+ 2. 352-pin BGA package is being discontinued for the XC95216. See XCN07010 for details.
94
+
95
+ ## Architecture Description
96
+
97
+ Each XC9500 device is a subsystem consisting of multiple
98
+ Function Blocks (FBs) and I/O Blocks (IOBs) fully intercon-
99
+ nected by the Fast CONNECT™™ switch matrix. The IOB
100
+ provides buffering for device inputs and outputs. Each FB
101
+ provides programmable logic capability with 36 inputs and
102
+ 18 outputs. The Fast CONNECT switch matrix connects all
103
+ FB outputs and input signals to the FB inputs. For each FB,
104
+ 12 to 18 outputs (depending on package pin-count) and
105
+ associated output enable signals drive directly to the IOBs.
106
+ See Figure 1.
107
+
108
+ --- end page 2
109
+
110
+ # XILINX
111
+ – PRODUCT OBSOLETE / UNDER OBSOLESCENCE –
112
+ XC9500 In-System Programmable CPLD Family
113
+
114
+ ![Figure 1: XC9500 Architecture. The image shows a block diagram of the XC9500 architecture. The key components include JTAG Port, JTAG Controller, In-System Programming Controller, I/O Blocks, Fast CONNECT II Switch Matrix, and Function Blocks (1 to N). Each Function Block consists of Macrocells (1 to 18). Numbers indicate the number of signals or connections. Note: Function block outputs (indicated by the bold lines) drive the I/O blocks directly.](image_reference)
115
+
116
+ Note: Function block outputs (indicated by the bold lines) drive the I/O blocks directly.
117
+
118
+ ## Function Block
119
+
120
+ Each Function Block, as shown in *Figure 2*, is comprised of 18 independent macrocells, each capable of implementing a combinatorial or registered function. The FB also receives global clock, output enable, and set/reset signals. The FB generates 18 outputs that drive the Fast CONNECT switch matrix. These 18 outputs and their corresponding output enable signals also drive the IOB.
121
+
122
+ Logic within the FB is implemented using a sum-of-products representation. Thirty-six inputs provide 72 true and complement signals into the programmable AND-array to form 90 product terms. Any number of these product terms, up to the 90 available, can be allocated to each macrocell by the product term allocator.
123
+
124
+ Each FB (except for the XC9536) supports local feedback paths that allow any number of FB outputs to drive into its own programmable AND-array without going outside the FB. These paths are used for creating very fast counters and state machines where all state registers are within the same FB.
125
+
126
+ DS063 (v6.0) May 17, 2013
127
+ Product Specification
128
+ www.xilinx.com
129
+ 3
130
+
131
+ --- end page 3
132
+
133
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
134
+
135
+ # XC9500 In-System Programmable CPLD Family
136
+
137
+ ![Figure 2: XC9500 Function Block. The block diagram shows: From Fast CONNECT II Switch Matrix entering a Programmable AND-Array, which connects to Product Term Allocators. This leads to Macrocell 1 through Macrocell 18. Connections show 18 lines to To Fast CONNECT II Switch Matrix, 18 lines to OUT, and 18 lines to To I/O Blocks. Also shows inputs for Global Set/Reset and Global Clocks.](image_reference)
138
+
139
+ From
140
+ Fast CONNECT II
141
+ Switch Matrix
142
+ 36
143
+
144
+ Macrocell 1
145
+
146
+ Programmable
147
+ AND-Array
148
+
149
+ Product
150
+ Term
151
+ Allocators
152
+
153
+ 18
154
+
155
+ To Fast CONNECT II
156
+ Switch Matrix
157
+
158
+ 18
159
+ OUT
160
+ 18
161
+ PTOE
162
+ To I/O Blocks
163
+
164
+ Macrocell 18
165
+
166
+ 1
167
+ Global
168
+ Set/Reset
169
+
170
+ 3
171
+ Global
172
+ Clocks
173
+
174
+ Figure 2: XC9500 Function Block
175
+
176
+ DS063 02 110501
177
+
178
+ 4
179
+
180
+ [www.xilinx.com](www.xilinx.com)
181
+
182
+ DS063 (v6.0) May 17, 2013
183
+ Product Specification
184
+
185
+ --- end page 4
186
+
187
+ # XILINX® PRODUCT OBSOLETE / UNDER OBSOLESCENCE XC9500 In-System Programmable CPLD Family
188
+
189
+ ## Macrocell
190
+
191
+ Each XC9500 macrocell may be individually configured for
192
+ a combinatorial or registered function. The macrocell and
193
+ associated FB logic is shown in Figure 3.
194
+
195
+ Five direct product terms from the AND-array are available
196
+ for use as primary data inputs (to the OR and XOR gates) to
197
+ implement combinatorial functions, or as control inputs
198
+ including clock, set/reset, and output enable. The product
199
+ term allocator associated with each macrocell selects how
200
+ the five direct terms are used.
201
+
202
+ The macrocell register can be configured as a D-type or
203
+ T-type flip-flop, or it may be bypassed for combinatorial
204
+ operation. Each register supports both asynchronous set
205
+ and reset operations. During power-up, all user registers
206
+ are initialized to the user-defined preload state (default to 0
207
+ if unspecified).
208
+
209
+ ![Figure 3: XC9500 Macrocell Within Function Block](image_reference)
210
+
211
+ Figure 3: XC9500 Macrocell Within Function Block
212
+
213
+ --- end page 5
214
+
215
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
216
+
217
+ # XC9500 In-System Programmable CPLD Family
218
+
219
+ All global control signals are available to each individual
220
+ macrocell, including clock, set/reset, and output enable sig-
221
+ nals. As shown in Figure 4, the macrocell register clock
222
+ originates from either of three global clocks or a product
223
+ term clock. Both true and complement polarities of a GCK
224
+ pin can be used within the device. A GSR input is also pro-
225
+ vided to allow user registers to be set to a user-defined
226
+ state.
227
+
228
+ ![Figure 4: Macrocell Clock and Set/Reset Capability](image_reference)
229
+
230
+ --- end page 6
231
+
232
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
233
+ XC9500 In-System Programmable CPLD Family
234
+
235
+ ![Figure 1: XILINX® Logo](image_reference)
236
+
237
+ ## Product Term Allocator
238
+
239
+ The product term allocator controls how the five direct product terms are assigned to each macrocell. For example, all five direct terms can drive the OR function as shown in Figure 5.
240
+
241
+ Note that the incremental delay affects only the product terms in other macrocells. The timing of the direct product terms is not changed.
242
+
243
+ ![Figure 2: Product Term Allocator with Macrocell Product Term Logic](image_reference)
244
+
245
+ **Figure 5: Macrocell Logic Using Direct Product Term**
246
+
247
+ The product term allocator can re-assign other product terms within the FB to increase the logic capacity of a macrocell beyond five direct terms. Any macrocell requiring additional product terms can access uncommitted product terms in other macrocells within the FB. Up to 15 product terms can be available to a single macrocell with only a small incremental delay of TPTA, as shown in Figure 6.
248
+
249
+ ![Figure 3: Product Term Allocation With 15 Product Terms](image_reference)
250
+
251
+ **Figure 6: Product Term Allocation With 15 Product Terms**
252
+
253
+ --- end page 7
254
+
255
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
256
+
257
+ XC9500 In-System Programmable CPLD Family
258
+
259
+ The product term allocator can re-assign product terms
260
+ from any macrocell within the FB by combining partial sums
261
+ of products over several macrocells, as shown in Figure 7.
262
+ In this example, the incremental delay is only 2*TPTA. All 90
263
+ product terms are available to any macrocell, with a maxi-
264
+ mum incremental delay of 8*TPTA.
265
+
266
+ ![Figure 7: Product Term Allocation Over Several Macrocells](image_reference)
267
+
268
+ Product Term
269
+ Allocator
270
+
271
+ Macrocell Logic
272
+ With 2
273
+ Product Terms
274
+
275
+ Product Term
276
+ Allocator
277
+
278
+ Product Term
279
+ Allocator
280
+
281
+ Macrocell Logic
282
+ With 18
283
+ Product Terms
284
+
285
+ Product Term
286
+ Allocator
287
+
288
+ DS063_07_110501
289
+
290
+ Figure 7: Product Term Allocation Over Several
291
+ Macrocells
292
+
293
+ 8
294
+
295
+ www.xilinx.com
296
+
297
+ DS063 (v6.0) May 17, 2013
298
+ Product Specification
299
+
300
+
301
+ --- end page 8
302
+
303
+ XILINX®
304
+
305
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
306
+
307
+ XC9500 In-System Programmable CPLD Family
308
+
309
+ The internal logic of the product term allocator is shown in
310
+ Figure 8.
311
+
312
+ ![Figure 8: Product Term Allocator Logic](image_reference)
313
+
314
+ Figure 8: Product Term Allocator Logic
315
+
316
+ DS063 (v6.0) May 17, 2013
317
+ Product Specification
318
+
319
+ www.xilinx.com
320
+ 9
321
+
322
+ --- end page 9
323
+
324
+ – PRODUCT OBSOLETE / UNDER OBSOLESCENCE –
325
+
326
+ # XC9500 In-System Programmable CPLD Family
327
+
328
+ ## Fast CONNECT Switch Matrix
329
+
330
+ The Fast CONNECT switch matrix connects signals to the FB inputs, as shown in Figure 9. All IOB outputs (corre-
331
+ sponding to user pin inputs) and all FB outputs drive the Fast CONNECT matrix. Any of these (up to a FB fan-in limit
332
+ of 36) may be selected, through user programming, to drive each FB with a uniform delay.
333
+
334
+ The Fast CONNECT switch matrix is capable of combining multiple internal connections into a single wired-AND output
335
+ before driving the destination FB. This provides additional logic capability and increases the effective logic fan-in of the
336
+ destination FB without any additional timing delay. This capability is available for internal connections originating
337
+ from FB outputs only. It is automatically invoked by the development software where applicable.
338
+
339
+ ![Figure 9: Fast CONNECT Switch Matrix](image_reference)
340
+
341
+ Wired-AND
342
+ Capability
343
+
344
+ Fast CONNECT
345
+ Switch Matrix
346
+
347
+ Function Block
348
+
349
+ I/O Block
350
+
351
+ (36).
352
+
353
+ 18
354
+
355
+ D/T Q
356
+
357
+ (36).
358
+
359
+ Function Block
360
+
361
+ I/O Block
362
+
363
+ 18
364
+
365
+ D/T Q
366
+
367
+ 1/0
368
+
369
+ 1/0
370
+
371
+ DS063_09_110501
372
+
373
+ Figure 9: Fast CONNECT Switch Matrix
374
+
375
+ 10
376
+
377
+ www.xilinx.com
378
+
379
+ DS063 (v6.0) May 17, 2013
380
+ Product Specification
381
+
382
+ --- end page 10
383
+
384
+ # XILINX®
385
+ PRODUCT OBSOLETE / UNDER OBSOLESCENCE
386
+ XC9500 In-System Programmable CPLD Family
387
+
388
+ ## I/O Block
389
+
390
+ The I/O Block (IOB) interfaces between the internal logic
391
+ and the device user I/O pins. Each IOB includes an input
392
+ buffer, output driver, output enable selection multiplexer,
393
+ and user programmable ground control. See Figure 10 for
394
+ details.
395
+
396
+ The input buffer is compatible with standard 5V CMOS, 5V
397
+ TTL, and 3.3V signal levels. The input buffer uses the internal
398
+ 5V voltage supply (VCCINT) to ensure that the input thresh-
399
+ olds are constant and do not vary with the Vccio voltage.
400
+
401
+ The output enable may be generated from one of four
402
+ options: a product term signal from the macrocell, any of the
403
+ global OE signals, always [1], or always [0]. There are two
404
+ global output enables for devices with up to 144 macrocells,
405
+ and four global output enables for the rest of the devices.
406
+ Both polarities of any of the global 3-state control (GTS)
407
+ pins may be used within the device..
408
+
409
+ ![Figure 10: I/O Block and Output Enable Capability](image_reference)
410
+
411
+ DS063 (v6.0) May 17, 2013
412
+ Product Specification
413
+ www.xilinx.com
414
+ 11
415
+
416
+ --- end page 11
417
+
418
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
419
+
420
+ XC9500 In-System Programmable CPLD Family
421
+
422
+ Each output has independent slew rate control. Output
423
+ edge rates may be slowed down to reduce system noise
424
+ (with an additional time delay of TSLEW) through program-
425
+ ming. See Figure 11.
426
+
427
+ Each IOB provides user programmable ground pin capabil-
428
+ ity. This allows device I/O pins to be configured as additional
429
+ ground pins. By tying strategically located programmable
430
+ ground pins to the external ground connection, system
431
+ noise generated from large numbers of simultaneous
432
+ switching outputs may be reduced.
433
+
434
+ A control pull-up resistor (typically 10K ohms) is attached to
435
+ each device I/O pin to prevent them from floating when the
436
+ device is not in normal user operation. This resistor is active
437
+ during device programming mode and system power-up. It
438
+ is also activated for an erased device. The resistor is deac-
439
+ tivated during normal operation.
440
+
441
+ The output driver is capable of supplying 24 mA output
442
+ drive. All output drivers in the device may be configured for
443
+ either 5V TTL levels or 3.3V levels by connecting the device
444
+ output voltage supply (Vccio) to a 5V or 3.3V voltage sup-
445
+
446
+ ![Figure 1: Output slew-Rate for (a) Rising and (b) Falling Outputs. The graph shows Output Voltage on the Y axis and Time on the X axis. Figure (a) shows the rising output voltage over time, with annotations for "Standard", "Slew-Rate Limited", and "TSLEW". Figure (b) shows the falling output voltage over time, with annotations for "Standard", "Slew-Rate Limited", and "TSLEW".](image_reference)
447
+
448
+ ![Figure 2: XC9500 Devices in (a) 5V Systems and (b) Mixed 5V/3.3V Systems. Figure (a) shows a diagram of the XC9500 CPLD in a 5V system, with connections for 5V CMOS or 5V TTL, VCCINT, VCCIO, IN, OUT, and GND. Figure (b) shows a diagram of the XC9500 CPLD in a mixed 5V/3.3V system, with connections for 5V CMOS or 5V TTL, VCCINT, VCCIO, IN, OUT, and GND.](image_reference)
449
+
450
+ ply. Figure 12 shows how the XC9500 device can be used in
451
+ 5V only and mixed 3.3V/5V systems.
452
+
453
+ Pin-Locking Capability
454
+
455
+ The capability to lock the user defined pin assignments dur-
456
+ ing design changes depends on the ability of the architec-
457
+ ture to adapt to unexpected changes. The XC9500 devices
458
+ have architectural features that enhance the ability to
459
+ accept design changes while maintaining the same pinout.
460
+
461
+ The XC9500 architecture provides maximum routing within
462
+ the Fast CONNECT switch matrix, and incorporates a flexi-
463
+ ble Function Block that allows block-wide allocation of avail-
464
+ able product terms. This provides a high level of confidence
465
+ of maintaining both input and output pin assignments for
466
+ unexpected design changes.
467
+
468
+ For extensive design changes requiring higher logic capас-
469
+ ity than is available in the initially chosen device, the new
470
+ design may be able to fit into a larger pin-compatible device
471
+ using the same pin assignments. The same board may be
472
+ used with a higher density device without the expense of
473
+ board rework
474
+
475
+
476
+ --- end page 12
477
+
478
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
479
+
480
+ ## XC9500 In-System Programmable CPLD Family
481
+
482
+ ![XILINX®](no_image_available)
483
+
484
+ ## In-System Programming
485
+ XC9500 devices are programmed in-system via a standard
486
+ 4-pin JTAG protocol, as shown in Figure 13. In-system pro-
487
+ gramming offers quick and efficient design iterations and
488
+ eliminates package handling. The Xilinx development sys-
489
+ tem provides the programming data sequence using a Xilinx
490
+ download cable, a third-party JTAG development system,
491
+ JTAG-compatible board tester, or a simple microprocessor
492
+ interface that emulates the JTAG instruction sequence.
493
+
494
+ All I/Os are 3-stated and pulled high by the IOB resistors
495
+ during in-system programming. If a particular signal must
496
+ remain Low during this time, then a pulldown resistor may
497
+ be added to the pin.
498
+
499
+ ## External Programming
500
+ XC9500 devices can also be programmed by the Xilinx
501
+ HW130 device programmer as well as third-party program-
502
+ mers. This provides the added flexibility of using pre-pro-
503
+ grammed devices during manufacturing, with an in-system
504
+ programmable option for future enhancements.
505
+
506
+ ## Endurance
507
+ All XC9500 CPLDs provide a minimum endurance level of
508
+ 10,000 in-system program/erase cycles. Each device meets
509
+ all functional, performance, and data retention specifica-
510
+ tions within this endurance limit.
511
+
512
+ ## IEEE 1149.1 Boundary-Scan (JTAG)
513
+ XC9500 devices fully support IEEE 1149.1 boundary-scan
514
+ (JTAG). EXTEST, SAMPLE/PRELOAD, BYPASS, USER-
515
+ CODE, INTEST, IDCODE, and HIGHZ instructions are sup-
516
+ ported in each device. For ISP operations, five additional
517
+ instructions are added; the ISPEN, FERASE, FPGM, FVFY,
518
+ and ISPEX instructions are fully compliant extensions of the
519
+ 1149.1 instruction set.
520
+
521
+ The TMS and TCK pins have dedicated pull-up resistors as
522
+ specified by the IEEE 1149.1 standard.
523
+
524
+ Boundary Scan Description Language (BSDL) files for the
525
+ XC9500 are included in the development system and are
526
+ available on the Xilinx FTP site.
527
+
528
+ ## Design Security
529
+ XC9500 devices incorporate advanced data security fea-
530
+ tures which fully protect the programming data against
531
+ unauthorized reading or inadvertent device erasure/repro-
532
+ gramming. Table 3 shows the four different security settings
533
+ available.
534
+
535
+ The read security bits can be set by the user to prevent the
536
+ internal programming pattern from being read or copied.
537
+ When set, they also inhibit further program operations but
538
+ allow device erase. Erasing the entire device is the only way
539
+ to reset the read security bit.
540
+
541
+ The write security bits provide added protection against
542
+ accidental device erasure or reprogramming when the
543
+ JTAG pins are subject to noise, such as during system
544
+ power-up. Once set, the write-protection may be deacti-
545
+ vated when the device needs to be reprogrammed with a
546
+ valid pattern.
547
+
548
+ [Table 3: Data Security Options]
549
+ | | | Read Security |
550
+ | :---------------------------- | :--------- | :----------------------------------------------------------: |
551
+ | | | Default | Set |
552
+ | **Write Security** | **Default**| Read Allowed Program/Erase Allowed | Read Inhibited Program Inhibited Erase Allowed |
553
+ | | **Set** | Read Allowed Program/Erase Inhibited | Program/Erase Inhibited |
554
+
555
+ DS063 (v6.0) May 17, 2013
556
+ Product Specification
557
+
558
+ [www.xilinx.com](www.xilinx.com)
559
+
560
+ 13
561
+
562
+ --- end page 13
563
+
564
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
565
+
566
+ XC9500 In-System Programmable CPLD Family
567
+
568
+ ![Figure 13: Diagram showing In-System Programming Operation. (a) Solder Device to PCB showing integrated circuit connected with pins to a circuit board with various components. (b) Program Using Download Cable showing a laptop connected with a cable to an integrated circuit connected with pins to a circuit board with various components.](image_reference)
569
+
570
+ Figure 13: In-System Programming Operation (a) Solder Device to PCB and (b) Program Using Download Cable
571
+
572
+ ## Low Power Mode
573
+
574
+ All XC9500 devices offer a low-power mode for individual
575
+ macrocells or across all macrocells. This feature allows the
576
+ device power to be significantly reduced.
577
+
578
+ Each individual macrocell may be programmed in
579
+ low-power mode by the user. Performance-critical parts of
580
+ the application can remain in standard power mode, while
581
+ other parts of the application may be programmed for
582
+ low-power operation to reduce the overall power dissipation.
583
+ Macrocells programmed for low-power mode incur addi-
584
+ tional delay (TLP) in pin-to-pin combinatorial delay as well as
585
+ register setup time. Product term clock to output and prod-
586
+ uct term output enable delays are unaffected by the macro-
587
+ cell power-setting.
588
+
589
+ ## Timing Model
590
+
591
+ The uniformity of the XC9500 architecture allows a simpli-
592
+ fied timing model for the entire device. The basic timing
593
+ model, shown in Figure 14, is valid for macrocell functions
594
+ that use the direct product terms only, with standard power
595
+ setting, and standard slew rate setting. Table 4 shows how
596
+ each of the key timing parameters is affected by the product
597
+ term allocator (if needed), low-power setting, and slew-lim-
598
+ ited setting.
599
+
600
+ The product term allocation time depends on the logic span
601
+ of the macrocell function, which is defined as one less than
602
+ the maximum number of allocators in the product term path.
603
+ If only direct product terms are used, then the logic span is
604
+ 0. The example in Figure 6 shows that up to 15 product
605
+ terms are available with a span of 1. In the case of Figure 7,
606
+ the 18 product term function has a span of 2.
607
+
608
+ Detailed timing information may be derived from the full tim-
609
+ ing model shown in Figure 15. The values and explanations
610
+ for each parameter are given in the individual device data
611
+ sheets.
612
+
613
+ --- end page 14
614
+
615
+ # XILINX
616
+
617
+ ## PRODUCT OBSOLETE / UNDER OBSOLESCENCE
618
+
619
+ XC9500 In-System Programmable CPLD Family
620
+
621
+ ![Figure 14: Basic Timing Model](image_reference)
622
+
623
+ TPSU
624
+ Combinatorial
625
+ Logic
626
+
627
+ Propagation Delay = TPD
628
+ (a)
629
+ Combinatorial
630
+ Logic
631
+ P-Term Clock
632
+ Path
633
+ D/T Q
634
+ TPCO
635
+ Combinatorial
636
+ Logic
637
+ D/T Q
638
+ Tco
639
+ Setup Time = Tsu
640
+ (b)
641
+ Clock to Out Time = Tco
642
+ Combinatorial
643
+ Logic
644
+ D/T Q
645
+ Setup Time = TPSU
646
+ (c)
647
+ Clock to Out Time = TPCO
648
+ All resources within FB using local Feedback
649
+ Internal System Cycle Time = TSYSTEM
650
+ (d)
651
+ Combinatorial
652
+ Logic
653
+ D/T Q
654
+ Internal Cycle Time = TCNT
655
+ (e)
656
+
657
+ ![Figure 15: Detailed Timing Model](image_reference)
658
+
659
+ Pin Feedback
660
+
661
+ TF
662
+ TIN
663
+ TLOGILP
664
+ TLOGI
665
+ S*TPTA
666
+ TSLEW
667
+ TPDI
668
+ D/T
669
+ Q
670
+ TOUT
671
+ TPTCK
672
+ TSUITCOI
673
+ THI
674
+ EC TAOI
675
+ TRAI
676
+ TGCK
677
+ TPTSR
678
+ SR
679
+ TGSR
680
+ TPTTS
681
+ Macrocell
682
+ TGTS
683
+ TEN
684
+
685
+ DS063 (v6.0) May 17, 2013
686
+ Product Specification
687
+
688
+ www.xilinx.com
689
+ 15
690
+
691
+ --- end page 15
692
+
693
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
694
+ XC9500 In-System Programmable CPLD Family
695
+
696
+ ## Power-Up Characteristics
697
+ The XC9500 devices are well behaved under all operating
698
+ conditions. During power-up each XC9500 device employs
699
+ internal circuitry which keeps the device in the quiescent
700
+ state until the VCCINT supply voltage is at a safe level
701
+ (approximately 3.8V). During this time, all device pins and
702
+ JTAG pins are disabled and all device outputs are disabled
703
+ with the IOB pull-up resistors (~10K ohms) enabled, as
704
+ shown in Table 5. When the supply voltage reaches a safe
705
+ level, all user registers become initialized (typically within
706
+ 100 με for 9536, 95144, 200 μs for 95216, and 300 μs for
707
+ 95288), and the device is immediately available for opera-
708
+ tion, as shown in Figure 16.
709
+
710
+ If the device is in the erased state (before any user pattern
711
+ is programmed), the device outputs remain disabled with
712
+ the IOB pull-up resistors enabled. The JTAG pins are
713
+ enabled to allow the device to be programmed at any time.
714
+
715
+ If the device is programmed, the device inputs and outputs
716
+ take on their configured states for normal operation. The
717
+ JTAG pins are enabled to allow device erasure or bound-
718
+ ary-scan tests at any time.
719
+
720
+ ## Development System Support
721
+ The XC9500 CPLD family is fully supported by the develop-
722
+ ment systems available from Xilinx and the Xilinx Alliance
723
+ Program vendors.
724
+
725
+ The designer can create the design using ABEL, schemat-
726
+ ics, equations, VHDL, or Verilog in a variety of software
727
+ front-end tools. The development system can be used to
728
+
729
+ implement the design and generate a JEDEC bitmap which
730
+ can be used to program the XC9500 device. Each develop-
731
+ ment system includes JTAG download software that can be
732
+ used to program the devices via the standard JTAG inter-
733
+ face and a download cable.
734
+
735
+ ## FastFLASH Technology
736
+ An advanced CMOS Flash process is used to fabricate all
737
+ XC9500 devices. Specifically developed for Xilinx in-system
738
+ programmable CPLDs, the FastFLASH process provides
739
+ high performance logic capability, fast programming times,
740
+ and endurance of 10,000 program/erase cycles.
741
+
742
+ ![Figure 16: Device Behavior During Power-up](no_image)
743
+ VCCINT axis, 3.8V (Typ) label.
744
+ No Power, Quiescent State, User Operation labels along the graph.
745
+
746
+ [Table 4: Timing Model Parameters]
747
+ | Parameter | Description | Product Term Allocator(1) | Macrocell Low-Power Setting | Output Slew-Limited Setting |
748
+ |---|---|---|---|---|
749
+ | TPD | Propagation Delay | + TPTA * S | + TLP | + TSLEW |
750
+ | Tsu | Global Clock Setup Time | + TPTA * S | + TLP | |
751
+ | Tco | Global Clock-to-output | | | + TSLEW |
752
+ | TPSU | Product Term Clock Setup Time | + TPTA * S | + TLP | |
753
+ | TPCO | Product Term Clock-to-output | | - | + TSLEW |
754
+ | TSYSTEM | Internal System Cycle Period | + TPTA* S | + TLP | - |
755
+ Notes:
756
+ 1. S = the logic span of the function, as defined in the text.
757
+
758
+ [Table 5: XC9500 Device Characteristics]
759
+ | Device Circuitry | Quiescent State | Erased Device Operation | Valid User Operation |
760
+ |---|---|---|---|
761
+ | IOB Pull-up Resistors | Enabled | Enabled | Disabled |
762
+ | Device Outputs | Disabled | Disabled | As Configured |
763
+
764
+ --- end page 16
765
+
766
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
767
+ XC9500 In-System Programmable CPLD Family
768
+
769
+ [Table 5: XC9500 Device Characteristics]
770
+ | Device Circuitry | Quiescent State | Erased Device Operation | Valid User Operation |
771
+ | ------------------------ | --------------- | ----------------------- | -------------------- |
772
+ | Device Inputs and Clocks | Disabled | Disabled | As Configured |
773
+ | Function Block | Disabled | Disabled | As Configured |
774
+ | JTAG Controller | Disabled | Enabled | Enabled |
775
+
776
+ Warranty Disclaimer
777
+
778
+ THESE PRODUCTS ARE SUBJECT TO THE TERMS OF THE XILINX LIMITED WARRANTY WHICH CAN BE VIEWED
779
+ AT http://www.xilinx.com/warranty.htm. THIS LIMITED WARRANTY DOES NOT EXTEND TO ANY USE OF THE
780
+ PRODUCTS IN AN APPLICATION OR ENVIRONMENT THAT IS NOT WITHIN THE SPECIFICATIONS STATED ON THE
781
+ THEN-CURRENT XILINX DATA SHEET FOR THE PRODUCTS. PRODUCTS ARE NOT DESIGNED TO BE FAIL-SAFE
782
+ AND ARE NOT WARRANTED FOR USE IN APPLICATIONS THAT POSE A RISK OF PHYSICAL HARM OR LOSS OF
783
+ LIFE. USE OF PRODUCTS IN SUCH APPLICATIONS IS FULLY AT THE RISK OF CUSTOMER SUBJECT TO
784
+ APPLICABLE LAWS AND REGULATIONS.
785
+
786
+ Revision History
787
+ The following table shows the revision history for this document.
788
+
789
+ | Date | Version | Revision |
790
+ | ---------- | ------- | ------------------------------------------------------------------------------------------------------------------------- |
791
+ | 12/14/1998 | 3.0 | Revised datasheet to reflect new AC characteristics and Internal Timing Parmeters. |
792
+ | 02/10/1999 | 4.0 | Corrected Figure 3. |
793
+ | 09/15/1999 | 5.0 | Added -10 speed grade to XC95288. |
794
+ | 09/22/2003 | 5.1 | Minor edits. |
795
+ | 02/16/2004 | 5.2 | Corrected statement on GTS inputs on page 10. Added links to additional information. |
796
+ | 04/15/2005 | 5.3 | Update to PDF attributes only. No changes to documentation. |
797
+ | 04/03/2006 | 5.4 | Added Warranty Disclaimer. Added note on Pb-Free packages. |
798
+ | 06/25/2007 | 5.5 | Change to Table 2, listing discontinuance of 352-pin BGA package for the XC95216. See XCN07010 for details. |
799
+ | 05/17/2013 | 6.0 | The products listed in this data sheet are obsolete. See XCN11010 for further information. |
800
+
801
+ --- end page 17
802
+
data/cache/XC9500_CPLD_Family.pdf.reformatted.md ADDED
@@ -0,0 +1,805 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # XC9500 In-System Programmable CPLD Family
2
+
3
+ – PRODUCT OBSOLETE / UNDER OBSOLESCENCE –
4
+
5
+ Product Specification
6
+
7
+ DS063 (v6.0) May 17, 2013
8
+
9
+ ## Features
10
+
11
+ * High-performance
12
+ * 5 ns pin-to-pin logic delays on all pins
13
+ * fCNT to 125 MHz
14
+ * Large density range
15
+ * 36 to 288 macrocells with 800 to 6,400 usable gates
16
+ * 5V in-system programmable
17
+ * Endurance of 10,000 program/erase cycles
18
+ * Program/erase over full commercial voltage and temperature range
19
+ * Enhanced pin-locking architecture
20
+ * Flexible 36V18 Function Block
21
+ * 90 product terms drive any or all of 18 macrocells within Function Block
22
+ * Global and product term clocks, output enables, set and reset signals
23
+ * Extensive IEEE Std 1149.1 boundary-scan (JTAG) support
24
+ * Programmable power reduction mode in each macrocell
25
+ * Slew rate control on individual outputs
26
+ * User programmable ground pin capability
27
+ * Extended pattern security features for design protection
28
+ * High-drive 24 mA outputs
29
+ * 3.3V or 5V I/O capability
30
+
31
+ * Advanced CMOS 5V FastFLASH™™ technology
32
+ * Supports parallel programming of multiple XC9500 devices
33
+
34
+ ## Family Overview
35
+
36
+ The XC9500 CPLD family provides advanced in-system programming and test capabilities for high performance, general purpose logic integration. All devices are in-system programmable for a minimum of 10,000 program/erase cycles. Extensive IEEE 1149.1 (JTAG) boundary-scan support is also included on all family members.
37
+
38
+ As shown in Table 1, logic density of the XC9500 devices ranges from 800 to over 6,400 usable gates with 36 to 288 registers, respectively. Multiple package options and associated I/O capacity are shown in Table 2. The XC9500 family is fully pin-compatible allowing easy design migration across multiple density options in a given package footprint.
39
+
40
+ The XC9500 architectural features address the requirements of in-system programmability. Enhanced pin-locking capability avoids costly board rework. An expanded JTAG instruction set allows version control of programming patterns and in-system debugging. In-system programming throughout the full device operating range and a minimum of 10,000 program/erase cycles provide worry-free reconfigurations and system field upgrades.
41
+
42
+ Advanced system features include output slew rate control and user-programmable ground pins to help reduce system noise. I/Os may be configured for 3.3V or 5V operation. All outputs provide 24 mA drive.
43
+
44
+ ### Table 1: XC9500 Device Family
45
+
46
+ | | XC9536 | XC9572 | XC95108 | XC95144 | XC95216 | XC95288 |
47
+ | :------------- | :-----: | :-----: | :------: | :-----: | :-----: | :-----: |
48
+ | Macrocells | 36 | 72 | 108 | 144 | 216 | 288 |
49
+ | Usable Gates | 800 | 1,600 | 2,400 | 3,200 | 4,800 | 6,400 |
50
+ | Registers | 36 | 72 | 108 | 144 | 216 | 288 |
51
+ | TPD (ns) | 5 | 7.5 | 7.5 | 7.5 | 10 | 15 |
52
+ | TSU (ns) | 3.5 | 4.5 | 4.5 | 4.5 | 6.0 | 8.0 |
53
+ | TCO (ns) | 4.0 | 4.5 | 4.5 | 4.5 | 6.0 | 8.0 |
54
+ | fCNT (MHz)(1) | 100 | 125 | 125 | 125 | 111.1 | 92.2 |
55
+ | fSYSTEM (MHz)(2) | 100 | 83.3 | 83.3 | 83.3 | 66.7 | 56.6 |
56
+
57
+ 1. fCNT = Operating frequency for 16-bit counters.
58
+ 2. fSYSTEM = Internal operating frequency for general purpose system designs spanning multiple FBs.
59
+
60
+ © 1998-2007, 2013 Xilinx, Inc. All rights reserved. All Xilinx trademarks, registered trademarks, patents, and disclaimers are as listed at http://www.xilinx.com/legal.htm.
61
+
62
+ All other trademarks and registered trademarks are the property of their respective owners. All specifications are subject to change without notice.
63
+
64
+ DS063 (v6.0) May 17, 2013
65
+
66
+ Product Specification
67
+
68
+ www.xilinx.com
69
+
70
+ 1
71
+
72
+ --- end page 1
73
+
74
+ – PRODUCT OBSOLETE / UNDER OBSOLESCENCE –
75
+
76
+ XC9500 In-System Programmable CPLD Family
77
+
78
+ ### Table 2: Available Packages and Device I/O Pins (not including dedicated JTAG pins)
79
+
80
+ | | XC9536 | XC9572 | XC95108 | XC95144 | XC95216 | XC95288 |
81
+ |----------------|--------|--------|---------|---------|---------|---------|
82
+ | 44-Pin VQFP | 34 | | | | | |
83
+ | 44-Pin PLCC | 34 | 34 | | | | |
84
+ | 48-Pin CSP | 34 | | | | | |
85
+ | 84-Pin PLCC | - | 69 | 69 | | | |
86
+ | 100-Pin TQFP | - | 72 | 81 | 81 | | |
87
+ | 100-Pin PQFP | - | 72 | 81 | 81 | | |
88
+ | 160-Pin PQFP | - | - | 108 | 133 | 133 | |
89
+ | 208-Pin HQFP | - | - | - | - | 166 | 168 |
90
+ | 352-Pin BGA | - | - | - | - | 166(2) | 192 |
91
+
92
+ 1. Most packages available in Pb-Free option. See individual data sheets for more details.
93
+ 2. 352-pin BGA package is being discontinued for the XC95216. See XCN07010 for details.
94
+
95
+ ## Architecture Description
96
+
97
+ Each XC9500 device is a subsystem consisting of multiple
98
+ Function Blocks (FBs) and I/O Blocks (IOBs) fully intercon-
99
+ nected by the Fast CONNECT™™ switch matrix. The IOB
100
+ provides buffering for device inputs and outputs. Each FB
101
+ provides programmable logic capability with 36 inputs and
102
+ 18 outputs. The Fast CONNECT switch matrix connects all
103
+ FB outputs and input signals to the FB inputs. For each FB,
104
+ 12 to 18 outputs (depending on package pin-count) and
105
+ associated output enable signals drive directly to the IOBs.
106
+ See Figure 1.
107
+
108
+ --- end page 2
109
+
110
+ # XILINX
111
+ – PRODUCT OBSOLETE / UNDER OBSOLESCENCE –
112
+ XC9500 In-System Programmable CPLD Family
113
+
114
+ ![Figure 1: XC9500 Architecture. The image shows a block diagram of the XC9500 architecture. The key components include JTAG Port, JTAG Controller, In-System Programming Controller, I/O Blocks, Fast CONNECT II Switch Matrix, and Function Blocks (1 to N). Each Function Block consists of Macrocells (1 to 18). Numbers indicate the number of signals or connections. Note: Function block outputs (indicated by the bold lines) drive the I/O blocks directly.](image_reference)
115
+
116
+ Note: Function block outputs (indicated by the bold lines) drive the I/O blocks directly.
117
+
118
+ ## Function Block
119
+
120
+ Each Function Block, as shown in *Figure 2*, is comprised of 18 independent macrocells, each capable of implementing a combinatorial or registered function. The FB also receives global clock, output enable, and set/reset signals. The FB generates 18 outputs that drive the Fast CONNECT switch matrix. These 18 outputs and their corresponding output enable signals also drive the IOB.
121
+
122
+ Logic within the FB is implemented using a sum-of-products representation. Thirty-six inputs provide 72 true and complement signals into the programmable AND-array to form 90 product terms. Any number of these product terms, up to the 90 available, can be allocated to each macrocell by the product term allocator.
123
+
124
+ Each FB (except for the XC9536) supports local feedback paths that allow any number of FB outputs to drive into its own programmable AND-array without going outside the FB. These paths are used for creating very fast counters and state machines where all state registers are within the same FB.
125
+
126
+ DS063 (v6.0) May 17, 2013
127
+ Product Specification
128
+ www.xilinx.com
129
+ 3
130
+
131
+ --- end page 3
132
+
133
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
134
+
135
+ # XC9500 In-System Programmable CPLD Family
136
+
137
+ ![Figure 2: XC9500 Function Block. The block diagram shows: From Fast CONNECT II Switch Matrix entering a Programmable AND-Array, which connects to Product Term Allocators. This leads to Macrocell 1 through Macrocell 18. Connections show 18 lines to To Fast CONNECT II Switch Matrix, 18 lines to OUT, and 18 lines to To I/O Blocks. Also shows inputs for Global Set/Reset and Global Clocks.](image_reference)
138
+
139
+ From
140
+ Fast CONNECT II
141
+ Switch Matrix
142
+ 36
143
+
144
+ Macrocell 1
145
+
146
+ Programmable
147
+ AND-Array
148
+
149
+ Product
150
+ Term
151
+ Allocators
152
+
153
+ 18
154
+
155
+ To Fast CONNECT II
156
+ Switch Matrix
157
+
158
+ 18
159
+ OUT
160
+ 18
161
+ PTOE
162
+ To I/O Blocks
163
+
164
+ Macrocell 18
165
+
166
+ 1
167
+ Global
168
+ Set/Reset
169
+
170
+ 3
171
+ Global
172
+ Clocks
173
+
174
+ Figure 2: XC9500 Function Block
175
+
176
+ DS063 02 110501
177
+
178
+ 4
179
+
180
+ [www.xilinx.com](www.xilinx.com)
181
+
182
+ DS063 (v6.0) May 17, 2013
183
+ Product Specification
184
+
185
+ --- end page 4
186
+
187
+ # XILINX® PRODUCT OBSOLETE / UNDER OBSOLESCENCE XC9500 In-System Programmable CPLD Family
188
+
189
+ ## Macrocell
190
+
191
+ Each XC9500 macrocell may be individually configured for
192
+ a combinatorial or registered function. The macrocell and
193
+ associated FB logic is shown in Figure 3.
194
+
195
+ Five direct product terms from the AND-array are available
196
+ for use as primary data inputs (to the OR and XOR gates) to
197
+ implement combinatorial functions, or as control inputs
198
+ including clock, set/reset, and output enable. The product
199
+ term allocator associated with each macrocell selects how
200
+ the five direct terms are used.
201
+
202
+ The macrocell register can be configured as a D-type or
203
+ T-type flip-flop, or it may be bypassed for combinatorial
204
+ operation. Each register supports both asynchronous set
205
+ and reset operations. During power-up, all user registers
206
+ are initialized to the user-defined preload state (default to 0
207
+ if unspecified).
208
+
209
+ ![Figure 3: XC9500 Macrocell Within Function Block](image_reference)
210
+
211
+ Figure 3: XC9500 Macrocell Within Function Block
212
+
213
+ --- end page 5
214
+
215
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
216
+
217
+ # XC9500 In-System Programmable CPLD Family
218
+
219
+ All global control signals are available to each individual
220
+ macrocell, including clock, set/reset, and output enable sig-
221
+ nals. As shown in Figure 4, the macrocell register clock
222
+ originates from either of three global clocks or a product
223
+ term clock. Both true and complement polarities of a GCK
224
+ pin can be used within the device. A GSR input is also pro-
225
+ vided to allow user registers to be set to a user-defined
226
+ state.
227
+
228
+ ![Figure 4: Macrocell Clock and Set/Reset Capability](image_reference)
229
+
230
+ --- end page 6
231
+
232
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
233
+ XC9500 In-System Programmable CPLD Family
234
+
235
+ ![Figure 1: XILINX® Logo](image_reference)
236
+
237
+ ## Product Term Allocator
238
+
239
+ The product term allocator controls how the five direct product terms are assigned to each macrocell. For example, all five direct terms can drive the OR function as shown in Figure 5.
240
+
241
+ Note that the incremental delay affects only the product terms in other macrocells. The timing of the direct product terms is not changed.
242
+
243
+ ![Figure 2: Product Term Allocator with Macrocell Product Term Logic](image_reference)
244
+
245
+ **Figure 5: Macrocell Logic Using Direct Product Term**
246
+
247
+ The product term allocator can re-assign other product terms within the FB to increase the logic capacity of a macrocell beyond five direct terms. Any macrocell requiring additional product terms can access uncommitted product terms in other macrocells within the FB. Up to 15 product terms can be available to a single macrocell with only a small incremental delay of TPTA, as shown in Figure 6.
248
+
249
+ ![Figure 3: Product Term Allocation With 15 Product Terms](image_reference)
250
+
251
+ **Figure 6: Product Term Allocation With 15 Product Terms**
252
+
253
+ --- end page 7
254
+
255
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
256
+
257
+ XC9500 In-System Programmable CPLD Family
258
+
259
+ The product term allocator can re-assign product terms
260
+ from any macrocell within the FB by combining partial sums
261
+ of products over several macrocells, as shown in Figure 7.
262
+ In this example, the incremental delay is only 2*TPTA. All 90
263
+ product terms are available to any macrocell, with a maxi-
264
+ mum incremental delay of 8*TPTA.
265
+
266
+ ![Figure 7: Product Term Allocation Over Several Macrocells](image_reference)
267
+
268
+ Product Term
269
+ Allocator
270
+
271
+ Macrocell Logic
272
+ With 2
273
+ Product Terms
274
+
275
+ Product Term
276
+ Allocator
277
+
278
+ Product Term
279
+ Allocator
280
+
281
+ Macrocell Logic
282
+ With 18
283
+ Product Terms
284
+
285
+ Product Term
286
+ Allocator
287
+
288
+ DS063_07_110501
289
+
290
+ Figure 7: Product Term Allocation Over Several
291
+ Macrocells
292
+
293
+ 8
294
+
295
+ www.xilinx.com
296
+
297
+ DS063 (v6.0) May 17, 2013
298
+ Product Specification
299
+
300
+ --- end page 8
301
+
302
+ XILINX®
303
+
304
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
305
+
306
+ XC9500 In-System Programmable CPLD Family
307
+
308
+ The internal logic of the product term allocator is shown in
309
+ Figure 8.
310
+
311
+ ![Figure 8: Product Term Allocator Logic](image_reference)
312
+
313
+ Figure 8: Product Term Allocator Logic
314
+
315
+ DS063 (v6.0) May 17, 2013
316
+ Product Specification
317
+
318
+ www.xilinx.com
319
+ 9
320
+
321
+ --- end page 9
322
+
323
+ – PRODUCT OBSOLETE / UNDER OBSOLESCENCE –
324
+
325
+ # XC9500 In-System Programmable CPLD Family
326
+
327
+ ## Fast CONNECT Switch Matrix
328
+
329
+ The Fast CONNECT switch matrix connects signals to the FB inputs, as shown in Figure 9. All IOB outputs (corre-
330
+ sponding to user pin inputs) and all FB outputs drive the Fast CONNECT matrix. Any of these (up to a FB fan-in limit
331
+ of 36) may be selected, through user programming, to drive each FB with a uniform delay.
332
+
333
+ The Fast CONNECT switch matrix is capable of combining multiple internal connections into a single wired-AND output
334
+ before driving the destination FB. This provides additional logic capability and increases the effective logic fan-in of the
335
+ destination FB without any additional timing delay. This capability is available for internal connections originating
336
+ from FB outputs only. It is automatically invoked by the development software where applicable.
337
+
338
+ ![Figure 9: Fast CONNECT Switch Matrix](image_reference)
339
+
340
+ Wired-AND
341
+ Capability
342
+
343
+ Fast CONNECT
344
+ Switch Matrix
345
+
346
+ Function Block
347
+
348
+ I/O Block
349
+
350
+ (36).
351
+
352
+ 18
353
+
354
+ D/T Q
355
+
356
+ (36).
357
+
358
+ Function Block
359
+
360
+ I/O Block
361
+
362
+ 18
363
+
364
+ D/T Q
365
+
366
+ 1/0
367
+
368
+ 1/0
369
+
370
+ DS063_09_110501
371
+
372
+ Figure 9: Fast CONNECT Switch Matrix
373
+
374
+ 10
375
+
376
+ www.xilinx.com
377
+
378
+ DS063 (v6.0) May 17, 2013
379
+ Product Specification
380
+
381
+ --- end page 10
382
+
383
+ # XILINX®
384
+ PRODUCT OBSOLETE / UNDER OBSOLESCENCE
385
+ XC9500 In-System Programmable CPLD Family
386
+
387
+ ## I/O Block
388
+
389
+ The I/O Block (IOB) interfaces between the internal logic
390
+ and the device user I/O pins. Each IOB includes an input
391
+ buffer, output driver, output enable selection multiplexer,
392
+ and user programmable ground control. See Figure 10 for
393
+ details.
394
+
395
+ The input buffer is compatible with standard 5V CMOS, 5V
396
+ TTL, and 3.3V signal levels. The input buffer uses the internal
397
+ 5V voltage supply (VCCINT) to ensure that the input thresh-
398
+ olds are constant and do not vary with the Vccio voltage.
399
+
400
+ The output enable may be generated from one of four
401
+ options: a product term signal from the macrocell, any of the
402
+ global OE signals, always [1], or always [0]. There are two
403
+ global output enables for devices with up to 144 macrocells,
404
+ and four global output enables for the rest of the devices.
405
+ Both polarities of any of the global 3-state control (GTS)
406
+ pins may be used within the device..
407
+
408
+ ![Figure 10: I/O Block and Output Enable Capability](image_reference)
409
+
410
+ DS063 (v6.0) May 17, 2013
411
+ Product Specification
412
+ www.xilinx.com
413
+ 11
414
+
415
+ --- end page 11
416
+
417
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
418
+
419
+ XC9500 In-System Programmable CPLD Family
420
+
421
+ Each output has independent slew rate control. Output
422
+ edge rates may be slowed down to reduce system noise
423
+ (with an additional time delay of TSLEW) through program-
424
+ ming. See Figure 11.
425
+
426
+ Each IOB provides user programmable ground pin capabil-
427
+ ity. This allows device I/O pins to be configured as additional
428
+ ground pins. By tying strategically located programmable
429
+ ground pins to the external ground connection, system
430
+ noise generated from large numbers of simultaneous
431
+ switching outputs may be reduced.
432
+
433
+ A control pull-up resistor (typically 10K ohms) is attached to
434
+ each device I/O pin to prevent them from floating when the
435
+ device is not in normal user operation. This resistor is active
436
+ during device programming mode and system power-up. It
437
+ is also activated for an erased device. The resistor is deac-
438
+ tivated during normal operation.
439
+
440
+ The output driver is capable of supplying 24 mA output
441
+ drive. All output drivers in the device may be configured for
442
+ either 5V TTL levels or 3.3V levels by connecting the device
443
+ output voltage supply (Vccio) to a 5V or 3.3V voltage sup-
444
+
445
+ ![Figure 1: Output slew-Rate for (a) Rising and (b) Falling Outputs. The graph shows Output Voltage on the Y axis and Time on the X axis. Figure (a) shows the rising output voltage over time, with annotations for "Standard", "Slew-Rate Limited", and "TSLEW". Figure (b) shows the falling output voltage over time, with annotations for "Standard", "Slew-Rate Limited", and "TSLEW".](image_reference)
446
+
447
+ ![Figure 2: XC9500 Devices in (a) 5V Systems and (b) Mixed 5V/3.3V Systems. Figure (a) shows a diagram of the XC9500 CPLD in a 5V system, with connections for 5V CMOS or 5V TTL, VCCINT, VCCIO, IN, OUT, and GND. Figure (b) shows a diagram of the XC9500 CPLD in a mixed 5V/3.3V system, with connections for 5V CMOS or 5V TTL, VCCINT, VCCIO, IN, OUT, and GND.](image_reference)
448
+
449
+ ply. Figure 12 shows how the XC9500 device can be used in
450
+ 5V only and mixed 3.3V/5V systems.
451
+
452
+ ### Pin-Locking Capability
453
+
454
+ The capability to lock the user defined pin assignments dur-
455
+ ing design changes depends on the ability of the architec-
456
+ ture to adapt to unexpected changes. The XC9500 devices
457
+ have architectural features that enhance the ability to
458
+ accept design changes while maintaining the same pinout.
459
+
460
+ The XC9500 architecture provides maximum routing within
461
+ the Fast CONNECT switch matrix, and incorporates a flexi-
462
+ ble Function Block that allows block-wide allocation of avail-
463
+ able product terms. This provides a high level of confidence
464
+ of maintaining both input and output pin assignments for
465
+ unexpected design changes.
466
+
467
+ For extensive design changes requiring higher logic capас-
468
+ ity than is available in the initially chosen device, the new
469
+ design may be able to fit into a larger pin-compatible device
470
+ using the same pin assignments. The same board may be
471
+ used with a higher density device without the expense of
472
+ board rework
473
+
474
+ --- end page 12
475
+
476
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
477
+
478
+ ## XC9500 In-System Programmable CPLD Family
479
+
480
+ ![XILINX®](no_image_available)
481
+
482
+ ## In-System Programming
483
+ XC9500 devices are programmed in-system via a standard
484
+ 4-pin JTAG protocol, as shown in Figure 13. In-system pro-
485
+ gramming offers quick and efficient design iterations and
486
+ eliminates package handling. The Xilinx development sys-
487
+ tem provides the programming data sequence using a Xilinx
488
+ download cable, a third-party JTAG development system,
489
+ JTAG-compatible board tester, or a simple microprocessor
490
+ interface that emulates the JTAG instruction sequence.
491
+
492
+ All I/Os are 3-stated and pulled high by the IOB resistors
493
+ during in-system programming. If a particular signal must
494
+ remain Low during this time, then a pulldown resistor may
495
+ be added to the pin.
496
+
497
+ ## External Programming
498
+ XC9500 devices can also be programmed by the Xilinx
499
+ HW130 device programmer as well as third-party program-
500
+ mers. This provides the added flexibility of using pre-pro-
501
+ grammed devices during manufacturing, with an in-system
502
+ programmable option for future enhancements.
503
+
504
+ ## Endurance
505
+ All XC9500 CPLDs provide a minimum endurance level of
506
+ 10,000 in-system program/erase cycles. Each device meets
507
+ all functional, performance, and data retention specifica-
508
+ tions within this endurance limit.
509
+
510
+ ## IEEE 1149.1 Boundary-Scan (JTAG)
511
+ XC9500 devices fully support IEEE 1149.1 boundary-scan
512
+ (JTAG). EXTEST, SAMPLE/PRELOAD, BYPASS, USER-
513
+ CODE, INTEST, IDCODE, and HIGHZ instructions are sup-
514
+ ported in each device. For ISP operations, five additional
515
+ instructions are added; the ISPEN, FERASE, FPGM, FVFY,
516
+ and ISPEX instructions are fully compliant extensions of the
517
+ 1149.1 instruction set.
518
+
519
+ The TMS and TCK pins have dedicated pull-up resistors as
520
+ specified by the IEEE 1149.1 standard.
521
+
522
+ Boundary Scan Description Language (BSDL) files for the
523
+ XC9500 are included in the development system and are
524
+ available on the Xilinx FTP site.
525
+
526
+ ## Design Security
527
+ XC9500 devices incorporate advanced data security fea-
528
+ tures which fully protect the programming data against
529
+ unauthorized reading or inadvertent device erasure/repro-
530
+ gramming. Table 3 shows the four different security settings
531
+ available.
532
+
533
+ The read security bits can be set by the user to prevent the
534
+ internal programming pattern from being read or copied.
535
+ When set, they also inhibit further program operations but
536
+ allow device erase. Erasing the entire device is the only way
537
+ to reset the read security bit.
538
+
539
+ The write security bits provide added protection against
540
+ accidental device erasure or reprogramming when the
541
+ JTAG pins are subject to noise, such as during system
542
+ power-up. Once set, the write-protection may be deacti-
543
+ vated when the device needs to be reprogrammed with a
544
+ valid pattern.
545
+
546
+ ### Table 3: Data Security Options
547
+
548
+ | | | Read Security |
549
+ | :---------------------------- | :--------- | :----------------------------------------------------------: |
550
+ | | | Default | Set |
551
+ | **Write Security** | **Default**| Read Allowed Program/Erase Allowed | Read Inhibited Program Inhibited Erase Allowed |
552
+ | | **Set** | Read Allowed Program/Erase Inhibited | Program/Erase Inhibited |
553
+
554
+ DS063 (v6.0) May 17, 2013
555
+ Product Specification
556
+
557
+ [www.xilinx.com](www.xilinx.com)
558
+
559
+ 13
560
+
561
+ --- end page 13
562
+
563
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
564
+
565
+ XC9500 In-System Programmable CPLD Family
566
+
567
+ ![Figure 13: Diagram showing In-System Programming Operation. (a) Solder Device to PCB showing integrated circuit connected with pins to a circuit board with various components. (b) Program Using Download Cable showing a laptop connected with a cable to an integrated circuit connected with pins to a circuit board with various components.](image_reference)
568
+
569
+ Figure 13: In-System Programming Operation (a) Solder Device to PCB and (b) Program Using Download Cable
570
+
571
+ ## Low Power Mode
572
+
573
+ All XC9500 devices offer a low-power mode for individual
574
+ macrocells or across all macrocells. This feature allows the
575
+ device power to be significantly reduced.
576
+
577
+ Each individual macrocell may be programmed in
578
+ low-power mode by the user. Performance-critical parts of
579
+ the application can remain in standard power mode, while
580
+ other parts of the application may be programmed for
581
+ low-power operation to reduce the overall power dissipation.
582
+ Macrocells programmed for low-power mode incur addi-
583
+ tional delay (TLP) in pin-to-pin combinatorial delay as well as
584
+ register setup time. Product term clock to output and prod-
585
+ uct term output enable delays are unaffected by the macro-
586
+ cell power-setting.
587
+
588
+ ## Timing Model
589
+
590
+ The uniformity of the XC9500 architecture allows a simpli-
591
+ fied timing model for the entire device. The basic timing
592
+ model, shown in Figure 14, is valid for macrocell functions
593
+ that use the direct product terms only, with standard power
594
+ setting, and standard slew rate setting. Table 4 shows how
595
+ each of the key timing parameters is affected by the product
596
+ term allocator (if needed), low-power setting, and slew-lim-
597
+ ited setting.
598
+
599
+ The product term allocation time depends on the logic span
600
+ of the macrocell function, which is defined as one less than
601
+ the maximum number of allocators in the product term path.
602
+ If only direct product terms are used, then the logic span is
603
+ 0. The example in Figure 6 shows that up to 15 product
604
+ terms are available with a span of 1. In the case of Figure 7,
605
+ the 18 product term function has a span of 2.
606
+
607
+ Detailed timing information may be derived from the full tim-
608
+ ing model shown in Figure 15. The values and explanations
609
+ for each parameter are given in the individual device data
610
+ sheets.
611
+
612
+ --- end page 14
613
+
614
+ # XILINX
615
+
616
+ ## PRODUCT OBSOLETE / UNDER OBSOLESCENCE
617
+
618
+ XC9500 In-System Programmable CPLD Family
619
+
620
+ ![Figure 14: Basic Timing Model](image_reference)
621
+
622
+ TPSU
623
+ Combinatorial
624
+ Logic
625
+
626
+ Propagation Delay = TPD
627
+ (a)
628
+ Combinatorial
629
+ Logic
630
+ P-Term Clock
631
+ Path
632
+ D/T Q
633
+ TPCO
634
+ Combinatorial
635
+ Logic
636
+ D/T Q
637
+ Tco
638
+ Setup Time = Tsu
639
+ (b)
640
+ Clock to Out Time = Tco
641
+ Combinatorial
642
+ Logic
643
+ D/T Q
644
+ Setup Time = TPSU
645
+ (c)
646
+ Clock to Out Time = TPCO
647
+ All resources within FB using local Feedback
648
+ Internal System Cycle Time = TSYSTEM
649
+ (d)
650
+ Combinatorial
651
+ Logic
652
+ D/T Q
653
+ Internal Cycle Time = TCNT
654
+ (e)
655
+
656
+ ![Figure 15: Detailed Timing Model](image_reference)
657
+
658
+ Pin Feedback
659
+
660
+ TF
661
+ TIN
662
+ TLOGILP
663
+ TLOGI
664
+ S*TPTA
665
+ TSLEW
666
+ TPDI
667
+ D/T
668
+ Q
669
+ TOUT
670
+ TPTCK
671
+ TSUITCOI
672
+ THI
673
+ EC TAOI
674
+ TRAI
675
+ TGCK
676
+ TPTSR
677
+ SR
678
+ TGSR
679
+ TPTTS
680
+ Macrocell
681
+ TGTS
682
+ TEN
683
+
684
+ DS063 (v6.0) May 17, 2013
685
+ Product Specification
686
+
687
+ www.xilinx.com
688
+ 15
689
+
690
+ --- end page 15
691
+
692
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
693
+ XC9500 In-System Programmable CPLD Family
694
+
695
+ ## Power-Up Characteristics
696
+ The XC9500 devices are well behaved under all operating
697
+ conditions. During power-up each XC9500 device employs
698
+ internal circuitry which keeps the device in the quiescent
699
+ state until the VCCINT supply voltage is at a safe level
700
+ (approximately 3.8V). During this time, all device pins and
701
+ JTAG pins are disabled and all device outputs are disabled
702
+ with the IOB pull-up resistors (~10K ohms) enabled, as
703
+ shown in Table 5. When the supply voltage reaches a safe
704
+ level, all user registers become initialized (typically within
705
+ 100 με for 9536, 95144, 200 μs for 95216, and 300 μs for
706
+ 95288), and the device is immediately available for opera-
707
+ tion, as shown in Figure 16.
708
+
709
+ If the device is in the erased state (before any user pattern
710
+ is programmed), the device outputs remain disabled with
711
+ the IOB pull-up resistors enabled. The JTAG pins are
712
+ enabled to allow the device to be programmed at any time.
713
+
714
+ If the device is programmed, the device inputs and outputs
715
+ take on their configured states for normal operation. The
716
+ JTAG pins are enabled to allow device erasure or bound-
717
+ ary-scan tests at any time.
718
+
719
+ ## Development System Support
720
+ The XC9500 CPLD family is fully supported by the develop-
721
+ ment systems available from Xilinx and the Xilinx Alliance
722
+ Program vendors.
723
+
724
+ The designer can create the design using ABEL, schemat-
725
+ ics, equations, VHDL, or Verilog in a variety of software
726
+ front-end tools. The development system can be used to
727
+
728
+ implement the design and generate a JEDEC bitmap which
729
+ can be used to program the XC9500 device. Each develop-
730
+ ment system includes JTAG download software that can be
731
+ used to program the devices via the standard JTAG inter-
732
+ face and a download cable.
733
+
734
+ ## FastFLASH Technology
735
+ An advanced CMOS Flash process is used to fabricate all
736
+ XC9500 devices. Specifically developed for Xilinx in-system
737
+ programmable CPLDs, the FastFLASH process provides
738
+ high performance logic capability, fast programming times,
739
+ and endurance of 10,000 program/erase cycles.
740
+
741
+ ![Figure 16: Device Behavior During Power-up](no_image)
742
+ VCCINT axis, 3.8V (Typ) label.
743
+ No Power, Quiescent State, User Operation labels along the graph.
744
+
745
+ ### Table 4: Timing Model Parameters
746
+
747
+ | Parameter | Description | Product Term Allocator(1) | Macrocell Low-Power Setting | Output Slew-Limited Setting |
748
+ |---|---|---|---|---|
749
+ | TPD | Propagation Delay | + TPTA * S | + TLP | + TSLEW |
750
+ | Tsu | Global Clock Setup Time | + TPTA * S | + TLP | |
751
+ | Tco | Global Clock-to-output | | | + TSLEW |
752
+ | TPSU | Product Term Clock Setup Time | + TPTA * S | + TLP | |
753
+ | TPCO | Product Term Clock-to-output | | - | + TSLEW |
754
+ | TSYSTEM | Internal System Cycle Period | + TPTA* S | + TLP | - |
755
+ Notes:
756
+ 1. S = the logic span of the function, as defined in the text.
757
+
758
+ ### Table 5: XC9500 Device Characteristics
759
+
760
+ | Device Circuitry | Quiescent State | Erased Device Operation | Valid User Operation |
761
+ |---|---|---|---|
762
+ | IOB Pull-up Resistors | Enabled | Enabled | Disabled |
763
+ | Device Outputs | Disabled | Disabled | As Configured |
764
+
765
+ --- end page 16
766
+
767
+ # PRODUCT OBSOLETE / UNDER OBSOLESCENCE
768
+ XC9500 In-System Programmable CPLD Family
769
+
770
+ ### Table 5: XC9500 Device Characteristics
771
+
772
+ | Device Circuitry | Quiescent State | Erased Device Operation | Valid User Operation |
773
+ | ------------------------ | --------------- | ----------------------- | -------------------- |
774
+ | Device Inputs and Clocks | Disabled | Disabled | As Configured |
775
+ | Function Block | Disabled | Disabled | As Configured |
776
+ | JTAG Controller | Disabled | Enabled | Enabled |
777
+
778
+ ## Warranty Disclaimer
779
+
780
+ THESE PRODUCTS ARE SUBJECT TO THE TERMS OF THE XILINX LIMITED WARRANTY WHICH CAN BE VIEWED
781
+ AT http://www.xilinx.com/warranty.htm. THIS LIMITED WARRANTY DOES NOT EXTEND TO ANY USE OF THE
782
+ PRODUCTS IN AN APPLICATION OR ENVIRONMENT THAT IS NOT WITHIN THE SPECIFICATIONS STATED ON THE
783
+ THEN-CURRENT XILINX DATA SHEET FOR THE PRODUCTS. PRODUCTS ARE NOT DESIGNED TO BE FAIL-SAFE
784
+ AND ARE NOT WARRANTED FOR USE IN APPLICATIONS THAT POSE A RISK OF PHYSICAL HARM OR LOSS OF
785
+ LIFE. USE OF PRODUCTS IN SUCH APPLICATIONS IS FULLY AT THE RISK OF CUSTOMER SUBJECT TO
786
+ APPLICABLE LAWS AND REGULATIONS.
787
+
788
+ ## Revision History
789
+
790
+ The following table shows the revision history for this document.
791
+
792
+ | Date | Version | Revision |
793
+ | ---------- | ------- | ------------------------------------------------------------------------------------------------------------------------- |
794
+ | 12/14/1998 | 3.0 | Revised datasheet to reflect new AC characteristics and Internal Timing Parmeters. |
795
+ | 02/10/1999 | 4.0 | Corrected Figure 3. |
796
+ | 09/15/1999 | 5.0 | Added -10 speed grade to XC95288. |
797
+ | 09/22/2003 | 5.1 | Minor edits. |
798
+ | 02/16/2004 | 5.2 | Corrected statement on GTS inputs on page 10. Added links to additional information. |
799
+ | 04/15/2005 | 5.3 | Update to PDF attributes only. No changes to documentation. |
800
+ | 04/03/2006 | 5.4 | Added Warranty Disclaimer. Added note on Pb-Free packages. |
801
+ | 04/03/2006 | 5.4 | Added Warranty Disclaimer. Added note on Pb-Free packages. |
802
+ | 06/25/2007 | 5.5 | Change to Table 2, listing discontinuance of 352-pin BGA package for the XC95216. See XCN07010 for details. |
803
+ | 05/17/2013 | 6.0 | The products listed in this data sheet are obsolete. See XCN11010 for further information. |
804
+
805
+ --- end page 17
data/cache/deloitte-tech-risk-sector-banking.pdf.md ADDED
@@ -0,0 +1,94 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Deloitte.
2
+
3
+ # Pushing through undercurrents
4
+ ## Technology's impact on systemic risk: A look at banking
5
+
6
+ As more financial institutions embrace digital innovation, risks emerge that could threaten the stability of the
7
+ financial system. Some of these risks originate from a single sector. Either way, they could proliferate and become
8
+ systemic without appropriate management.
9
+
10
+ To understand what these technology-driven risks look like, the World Economic Forum (the Forum) and Deloitte
11
+ consulted over 100 financial services and technology experts in the development of a new report, Pushing
12
+ through undercurrents. This group shared more specific perspectives on the forces behind technology-driven
13
+ systemic risk in the banking sector. Here's a summary of what we learned. You can learn more in the full report
14
+ from the Forum, and the executive summary from Deloitte.
15
+
16
+ ### Risk 1: Risk exposure from Banking as a Service offerings
17
+
18
+ **What could go wrong?**
19
+
20
+ Banking as a service (BaaS) increasingly relies on application programming interfaces, introducing vulnerabilities
21
+ that can pose risks for banks. The risk is growing because:
22
+
23
+ - Customers' sensitive data and funds may be at risk from phishing and social engineering attacks
24
+ - Flawed APIs might provide a back door for hackers to penetrate banks' systems
25
+ - Noncompliance with data privacy rules by BaaS providers might expose partner banks to reputational risks
26
+
27
+ This risk could become systemic if, for example, a malicious actor launches a distributed denial-of-service attack on
28
+ a BaaS provider, keeping customers from accessing their accounts or making transactions.
29
+
30
+ [Table 1: Risk exposure from Banking as a Service offerings]
31
+ | What sectoral and regional forces could amplify the risk? | How can the industry mitigate it? |
32
+ |---|---|
33
+ | Goal | Mitigation opportunities |
34
+ | - A complex BaaS technology stack<br>- Limited redundancy measures<br>- A lack of input validation, enabling attackers to upload malicious code into a bank's systems through its APIs | Strong security for BaaS platforms and API connectivity | - Use input validation protocols<br>- Apply network segmentation and access control measures |
35
+ | | Properly vetted BaaS partners | - Improve due diligence on BaaS providers |
36
+ | | Institutional knowledge transfer from banks to BaaS partners | - Help BaaS and other fintech providers get better at risk management and compliance |
37
+
38
+
39
+ --- end page 1
40
+
41
+ # ! Risk 2: Inadequate stability mechanisms for stablecoin arrangements
42
+
43
+ What could go wrong?
44
+ Stablecoins mimic fiat currencies but without the backing of a central bank, heightening the probability of a run.
45
+ The risk is growing because:
46
+ • Governance and regulatory gaps could perpetuate illicit activities that might threaten the integrity of the broader
47
+ financial system
48
+ • The novel technologies used for minting and managing stablecoins are exposed to security risks
49
+ • The absence of a stability mechanism like deposit insurance increases the risk of a run
50
+
51
+ This risk could become systemic if, for example, a significant stablecoin issuer fails to promptly honor large
52
+ customer withdrawal requests, touching off a run and eventually collapsing the stablecoin arrangement.
53
+
54
+ [Table 1: Information about forces that could amplify the risk and how the industry mitigate it?]
55
+ | What sectoral and regional forces could amplify the risk? | How can the industry mitigate it? |
56
+ |---|---|
57
+ | | Goal | Mitigation opportunities |
58
+ | • A less mature regulatory environment | Standardization and oversight of stablecoin arrangements | • Requirement for anti-money laundering and "know your customer" processes for stablecoin issuers |
59
+ | • Stringent capital controls, which may encourage individuals in those jurisdictions to park their assets in global stablecoins | Investor and customer protection | • Offer insurance coverage for stablecoin tokens • Enforce responsible marketing rules and customer education |
60
+ | • Unsecure systems and poorly managed internal processes | Transparency of capital reserves | • Periodically audit and stress-test stablecoin issuers' reserve assets |
61
+
62
+ To learn more about technology's impact on systemic risk in banking, including examples, please see pages 60-70 of the full report.
63
+
64
+ Contacts
65
+
66
+ Neal Baumann
67
+ Financial Services Industry leader
68
+ Deloitte Global
69
70
+
71
+ Rob Galaski
72
+ Vice-Chair and Managing Partner
73
+ Deloitte Canada
74
75
+
76
+ Deloitte refers to one or more of Deloitte Touche Tohmatsu Limited (DTTL), its global network of member firms, and their related entities (collectively, the "Deloitte organization"). DTTL (also referred to as
77
+ "Deloitte Global") and each of its member firms and related entities are legally separate and independent entities, which cannot obligate or bind each other in respect of third parties. DTTL and each DTTL
78
+ member firm and related entity is liable only for its own acts and omissions, and not those of each other. DTTL does not provide services to clients. Please see www.deloitte.com/about to learn more.
79
+
80
+ Deloitte provides industry-leading audit and assurance, tax and legal, consulting, financial advisory, and risk advisory services to nearly 90% of the Fortune Global 500® and thousands of private
81
+ companies. Our people deliver measurable and lasting results that help reinforce public trust in capital markets, enable clients to transform and thrive, and lead the way toward a stronger economy,
82
+ a more equitable society, and a sustainable world. Building on its 175-plus year history, Deloitte spans more than 150 countries and territories. Learn how Deloitte's approximately 415,000 people
83
+ worldwide make an impact that matters at www.deloitte.com.
84
+
85
+ This communication contains general information only, and none of Deloitte Touche Tohmatsu Limited ("DTTL"), its global network of member firms or their related entities (collectively, the "Deloitte
86
+ organization") is, by means of this communication, rendering professional advice or services. Before making any decision or taking any action that may affect your finances or your business, you should
87
+ consult a qualified professional adviser. No representations, warranties or undertakings (express or implied) are given as to the accuracy or completeness of the information in this communication, and
88
+ none of DTTL, its member firms, related entities, employees or agents shall be liable or responsible for any loss or damage whatsoever arising directly or indirectly in connection with any person relying
89
+ on this communication. DTTL and each of its member firms, and their related entities, are legally separate and independent entities.
90
+
91
+ 2023. For information, contact Deloitte Global.
92
+
93
+ --- end page 2
94
+
data/cache/deloitte-tech-risk-sector-banking.pdf.reformatted.md ADDED
@@ -0,0 +1,92 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Deloitte.
2
+
3
+ ## Pushing through undercurrents
4
+ ### Technology's impact on systemic risk: A look at banking
5
+
6
+ As more financial institutions embrace digital innovation, risks emerge that could threaten the stability of the
7
+ financial system. Some of these risks originate from a single sector. Either way, they could proliferate and become
8
+ systemic without appropriate management.
9
+
10
+ To understand what these technology-driven risks look like, the World Economic Forum (the Forum) and Deloitte
11
+ consulted over 100 financial services and technology experts in the development of a new report, Pushing
12
+ through undercurrents. This group shared more specific perspectives on the forces behind technology-driven
13
+ systemic risk in the banking sector. Here's a summary of what we learned. You can learn more in the full report
14
+ from the Forum, and the executive summary from Deloitte.
15
+
16
+ ### Risk 1: Risk exposure from Banking as a Service offerings
17
+
18
+ **What could go wrong?**
19
+
20
+ Banking as a service (BaaS) increasingly relies on application programming interfaces, introducing vulnerabilities
21
+ that can pose risks for banks. The risk is growing because:
22
+
23
+ - Customers' sensitive data and funds may be at risk from phishing and social engineering attacks
24
+ - Flawed APIs might provide a back door for hackers to penetrate banks' systems
25
+ - Noncompliance with data privacy rules by BaaS providers might expose partner banks to reputational risks
26
+
27
+ This risk could become systemic if, for example, a malicious actor launches a distributed denial-of-service attack on
28
+ a BaaS provider, keeping customers from accessing their accounts or making transactions.
29
+
30
+ #### Table 1: Risk exposure from Banking as a Service offerings
31
+
32
+ | What sectoral and regional forces could amplify the risk? | How can the industry mitigate it? |
33
+ |---|---|
34
+ | Goal | Mitigation opportunities |
35
+ | - A complex BaaS technology stack<br>- Limited redundancy measures<br>- A lack of input validation, enabling attackers to upload malicious code into a bank's systems through its APIs | Strong security for BaaS platforms and API connectivity | - Use input validation protocols<br>- Apply network segmentation and access control measures |
36
+ | | Properly vetted BaaS partners | - Improve due diligence on BaaS providers |
37
+ | | Institutional knowledge transfer from banks to BaaS partners | - Help BaaS and other fintech providers get better at risk management and compliance |
38
+
39
+ ### Risk 2: Inadequate stability mechanisms for stablecoin arrangements
40
+
41
+ **What could go wrong?**
42
+
43
+ Stablecoins mimic fiat currencies but without the backing of a central bank, heightening the probability of a run.
44
+ The risk is growing because:
45
+ • Governance and regulatory gaps could perpetuate illicit activities that might threaten the integrity of the broader
46
+ financial system
47
+ • The novel technologies used for minting and managing stablecoins are exposed to security risks
48
+ • The absence of a stability mechanism like deposit insurance increases the risk of a run
49
+
50
+ This risk could become systemic if, for example, a significant stablecoin issuer fails to promptly honor large
51
+ customer withdrawal requests, touching off a run and eventually collapsing the stablecoin arrangement.
52
+
53
+ #### Table 1: Information about forces that could amplify the risk and how the industry mitigate it?
54
+
55
+ | What sectoral and regional forces could amplify the risk? | How can the industry mitigate it? |
56
+ |---|---|
57
+ | | Goal | Mitigation opportunities |
58
+ | • A less mature regulatory environment | Standardization and oversight of stablecoin arrangements | • Requirement for anti-money laundering and "know your customer" processes for stablecoin issuers |
59
+ | • Stringent capital controls, which may encourage individuals in those jurisdictions to park their assets in global stablecoins | Investor and customer protection | • Offer insurance coverage for stablecoin tokens • Enforce responsible marketing rules and customer education |
60
+ | • Unsecure systems and poorly managed internal processes | Transparency of capital reserves | • Periodically audit and stress-test stablecoin issuers' reserve assets |
61
+
62
+ To learn more about technology's impact on systemic risk in banking, including examples, please see pages 60-70 of the full report.
63
+
64
+ ### Contacts
65
+
66
+ Neal Baumann
67
+ Financial Services Industry leader
68
+ Deloitte Global
69
70
+
71
+ Rob Galaski
72
+ Vice-Chair and Managing Partner
73
+ Deloitte Canada
74
75
+
76
+ Deloitte refers to one or more of Deloitte Touche Tohmatsu Limited (DTTL), its global network of member firms, and their related entities (collectively, the "Deloitte organization"). DTTL (also referred to as
77
+ "Deloitte Global") and each of its member firms and related entities are legally separate and independent entities, which cannot obligate or bind each other in respect of third parties. DTTL and each DTTL
78
+ member firm and related entity is liable only for its own acts and omissions, and not those of each other. DTTL does not provide services to clients. Please see www.deloitte.com/about to learn more.
79
+
80
+ Deloitte provides industry-leading audit and assurance, tax and legal, consulting, financial advisory, and risk advisory services to nearly 90% of the Fortune Global 500® and thousands of private
81
+ companies. Our people deliver measurable and lasting results that help reinforce public trust in capital markets, enable clients to transform and thrive, and lead the way toward a stronger economy,
82
+ a more equitable society, and a sustainable world. Building on its 175-plus year history, Deloitte spans more than 150 countries and territories. Learn how Deloitte's approximately 415,000 people
83
+ worldwide make an impact that matters at www.deloitte.com.
84
+
85
+ This communication contains general information only, and none of Deloitte Touche Tohmatsu Limited ("DTTL"), its global network of member firms or their related entities (collectively, the "Deloitte
86
+ organization") is, by means of this communication, rendering professional advice or services. Before making any decision or taking any action that may affect your finances or your business, you should
87
+ consult a qualified professional adviser. No representations, warranties or undertakings (express or implied) are given as to the accuracy or completeness of the information in this communication, and
88
+ none of DTTL, its member firms, related entities, employees or agents shall be liable or responsible for any loss or damage whatsoever arising directly or indirectly in connection with any person relying
89
+ on this communication. DTTL and each of its member firms, and their related entities, are legally separate and independent entities.
90
+
91
+ 2023. For information, contact Deloitte Global.
92
+
data/cache/dttl-tax-technology-report-2023.pdf.md ADDED
@@ -0,0 +1,661 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Deloitte.
2
+
3
+ Tax in a data-driven world
4
+ More regulations, more data, more technology
5
+
6
+ --- end page 1
7
+
8
+ Data and new regulations
9
+ drive tax transformation
10
+
11
+ Immediate access to reliable, accurate, and fit-for-purpose tax data is essential to be
12
+ able to meet complex tax obligations, real-time reporting requirements, and increasing
13
+ expectations of tax transparency. Recent developments such as the OECD's Pillar
14
+ Two rules, requiring large multinational enterprises to pay a minimum “global tax," the
15
+ introduction of CESOP (Central Electronic System of Payment information) and ViDA rules
16
+ (VAT in a Digital Age) in the EU, e-reporting, and e-invoicing are all examples of initiatives
17
+ which are increasing the compliance requirements for companies and having a significant
18
+ impact on tax strategies and operations. Advances in the way technology is used to
19
+ identify, transform, and manage tax-related data should be an essential component of
20
+ a business's response.
21
+
22
+
23
+ Pillar Two is at the forefront of our mind. We
24
+ are still quantifying any additional liability and
25
+ establishing any impact on our Effective Tax Rate.
26
+ Naturally, there is a huge compliance and systems
27
+ requirement to accommodate Pillar Two.
28
+ Gemma Beck
29
+ Head of Tax, Haleon Plc
30
+ "
31
+
32
+ Challenges such as version control, manual data collection, or getting the right format
33
+ and level of data can delay accurate reporting and insights—insights from data being
34
+ something the respondents to Deloitte's Tax Transformation Trends 2023 research
35
+ highlighted as of high importance. The impact of these regulatory and digitalization
36
+ changes can vary across companies based on their size, region, or industry. Yet, the
37
+ overall trend has been toward growing workloads and increased complexity.
38
+
39
+ Tax in a data-driven world | More regulations, more data, more technology
40
+ 2
41
+
42
+ --- end page 2
43
+
44
+ #
45
+
46
+ In addition, many tax authorities are collecting and sharing
47
+ more detailed data about taxes and are requesting direct
48
+ access to large companies' tax-related data. The digitalization
49
+ of tax authorities elevates the need for reliable and automated
50
+ tax models, and generating the right data, in the right format,
51
+ at the right time. Automating data input, validation, and
52
+ cleansing can save time and reduce risk, but is also key to
53
+ enabling the access tax administrations increasingly require.
54
+
55
+ All this at a time when businesses are starting to explore the
56
+ role and benefits of Generative Al, and having to evaluate how
57
+ trustworthy this technology is, the risks associated with data
58
+ privacy, as well as the consequences for their employees.
59
+
60
+ Technology can also facilitate greater visibility into tax data
61
+ across the enterprise, which can provide insights that can
62
+ generate value for the business when making strategic
63
+ decisions. In short, tax departments increasingly need
64
+ technology to help them pivot from task completion and
65
+ cost control toward being able to extract outcome-oriented
66
+ business insights from compliance activities through analytics.
67
+
68
+ [Figure 1. Progress made in implementing tax transformation strategies]
69
+ | Fully implemented | | | Plan to implement within 12 months |
70
+ |---|---|---|---|
71
+ | 37% | ERP system customized for tax issues | | 4% |
72
+ | 37% | Use of tools to monitor relevant developments in tax laws globally | | 7% |
73
+ | 38% | Tax data management solutions and/or tax professionals in company's data management team | | 6% |
74
+ | 37% | Use of advanced analytics in monitoring of key controls | | 4% |
75
+ | 32% | Integrated processes | | 4% |
76
+ | 41% | Streamlining of processes not appropriate for automation | | 4% |
77
+ | 41% | Automation of tax compliance and reporting processes | | 2% |
78
+
79
+ Yet, when Deloitte asked 300 tax and finance professionals
80
+ what progress they had made in implementing tax
81
+ transformation strategies, 24% stated they intended to
82
+ implement an ERP system customized for tax issues in the next
83
+ 12 months (Figure 1). Only 37% of respondents said their tax
84
+ department had fully implemented the use of tools to monitor
85
+ relevant developments in tax laws around the world. Similarly,
86
+ many respondents reported that their tax department
87
+ had not yet fully implemented the data management and
88
+ technology applications required by these changes-
89
+ introduction of tax data management solutions and/or having tax
90
+ professionals in the company's data management team (38%), and
91
+ integrated processes (32%).
92
+
93
+ Implementing tax technology, or customizing existing ERP systems, requires identifying the appropriate issues to
94
+ customize the system for, involving the right stakeholders internally, obtaining budget when there are competing
95
+ demands, and devising a robust schedule of maintenance.
96
+
97
+ Tax in a data-driven world | More regulations, more data, more technology 3
98
+
99
+
100
+ --- end page 3
101
+
102
+ # 1. Customizing technology
103
+ for global compliance
104
+
105
+ Compliance is a top priority for the tax department (Figure 2) but to achieve it, comply
106
+ with Pillar Two, or calculate their global tax liability, tax departments need accurate,
107
+ timely, tax-related data integrated across their organization. However, achieving visibility
108
+ into enterprise-wide tax data has proven difficult for many companies, with respondents
109
+ to Deloitte's Tax Transformation Trends 2023 survey citing integrating tax-related data
110
+ across the company (36%) as their second-most important challenge. More than a fifth of
111
+ respondents found challenges in having limited technology or data management expertise
112
+ (23%), obtaining a comprehensive view of the total tax paid globally (22%), and not having
113
+ sufficient control over technology strategy and investment (22%) (Figure 2). There is a “perfect
114
+ storm" with the compliance challenge at least partly linked to these other factors.
115
+
116
+ [Graph 2: Challenges for the tax department over the next three to five years]
117
+
118
+ | Category | Percentage |
119
+ | -------------------------------------------------------------------------- | ------------ |
120
+ | Complying with evolving tax laws and regulations around the world | 43% |
121
+ | Integrating tax-related data across the company | 36% |
122
+ | Limited technology/data management expertise | 23% |
123
+ | Lack of sufficient control over technology strategy and investment | 22% |
124
+ | Obtaining a comprehensive view of the total tax paid globally | 22% |
125
+ | Obtaining adequate budget | 18% |
126
+ | Difficulty in aligning with company's technology transformation strategy/approach | 11% |
127
+
128
+ Percentage ranked among top 3 challenges
129
+
130
+ Tax in a data-driven world | More regulations, more data, more technology 4
131
+
132
+
133
+ --- end page 4
134
+
135
+
136
+ What we see now is an increasing demand for
137
+ more compliance requirements-I mean from the
138
+ OECD and also coming from local authorities...
139
+ there's demand for more automation.
140
+ Liliane Saiani
141
+ Head of Tax, Mercado Libre
142
+ "
143
+
144
+ The desire to continue customizing ERP systems for tax is not surprising-being able to incorporate
145
+ flexibility and information to respond to changing tax laws will help companies comply, thereby avoiding
146
+ penalties and costs. Modern ERP systems can provide the accurate, granular data that tax teams
147
+ need at the legal entity level, while still supporting the management-level reporting needed by other
148
+ stakeholders. In this way, the ERP can help support tax analytics so that companies can model the
149
+ impact of changing tax laws in multiple jurisdictions, improving the insights used for decision making.
150
+
151
+ Companies have been working to put in place the data management and technology capabilities
152
+ demanded by today's tax environment, but many have more work to do.
153
+
154
+
155
+ Our approach was to first work to make ourselves
156
+ more efficient. We're trying to transform our ERP
157
+ landscape. It's always a challenge to wrangle all
158
+ the different technology pieces we have.
159
+ Kristi Doyle
160
+ Global Tax Director, Johnson Controls
161
+ "
162
+
163
+ Tax in a data-driven world | More regulations, more data, more technology
164
+ 5
165
+
166
+
167
+ --- end page 5
168
+
169
+ Many of the challenges appear greater for smaller companies than for larger ones. For example, respondents at companies with revenues of US$5 billion or greater were more likely to
170
+ say that their company had fully implemented introduction of tax data management solutions and/or having tax professionals in the company's data management team (55%) than did those
171
+ at companies with revenues of US$1 billion to US$5 billion (35%) or US$750 million to US$1 billion (25%) (Figure 3).
172
+
173
+ ### Figure 3: Strategies/actions fully implemented by the tax department-by company size
174
+
175
+ | | Reducing headcount | Implementation of lower-cost delivery model for lower complexity processes | Integrated processes | ERP system customized for tax issues | Processes to allow tax to be adequately considered in corporate decisions | Use of advanced analytics in monitoring of key controls | Use of tools to monitor relevant developments in tax laws globally | Tax data mgmt solutions and/or tax profs. in company's data mgmt team | Streamlining of processes not appropriate for automation | Automation of tax compliance and reporting processes | Ongoing assessment of skills required to identify any gaps | Training programs for skills required in strategic roles |
176
+ |-----------------------------------------------|--------------------|---------------------------------------------------------------------------------|----------------------|---------------------------------------|-----------------------------------------------------------------------------------|-------------------------------------------------------------------|----------------------------------------------------------------------|--------------------------------------------------------------------|-----------------------------------------------------------------|--------------------------------------------------------------------|-------------------------------------------------------------------|-------------------------------------------------------------------|
177
+ | **US$5B+** | 0% | 38% | 34% | 46% | 39% | 56% | 55% | 55% | 49% | 46% | 51% | 56% |
178
+ | **US$1B - $5B** | 0% | 30% | 33% | 45% | 37% | 35% | 38% | 35% | 47% | 40% | 51% | 54% |
179
+ | **US$750M - $1B** | 2% | 18% | 27% | 14% | 20% | 24% | 22% | 25% | 27% | 29% | 24% | 26% |
180
+
181
+ Tax in a data-driven world | More regulations, more data, more technology 6
182
+
183
+ --- end page 6
184
+
185
+ 2. Deciding how to invest
186
+ in technology
187
+
188
+ Digital transformation is embedded into most companies' agendas, but it is still difficult
189
+ to identify clear returns on technology investment—from determining which actions
190
+ drive the most impact, to which investments yield the highest enterprise value. With
191
+ Generative Al also advancing at pace, it is increasingly difficult for businesses to work out
192
+ the optimum point at which to invest at scale. When resources are constrained, it is worth
193
+ weighing up the investment needed for developing, buying, maintaining, and replacing
194
+ technology versus leveraging the technology of an outsource service provider.
195
+
196
+
197
+ We outsource as much as possible with trusted
198
+ partners. We don't have the resources, nor the
199
+ budget, to develop all those tools ourselves.
200
+ Philippe de Roose
201
+ Senior Vice President for Tax Treasury and Finance Administration,
202
+ Radisson Hospitality Group
203
+ "
204
+
205
+ Tax in a data-driven world | More regulations, more data, more technology
206
+ 7
207
+
208
+ --- end page 7
209
+
210
+ Figure 4. Benefit company has received—or could receive—from outsourcing an entire activity or function in the tax department
211
+
212
+ 100%
213
+
214
+ 75%
215
+ 26%
216
+ 27%
217
+ 34%
218
+ 37%
219
+ 33%
220
+ 35%
221
+ 30%
222
+ 50%
223
+ 54%
224
+ 51%
225
+ 25%
226
+ 46%
227
+ 45%
228
+ 45%
229
+ 43%
230
+ 40%
231
+ 0%
232
+ Access to the
233
+ latest technology
234
+ capabilities
235
+ Reduced
236
+ operating costs
237
+ Access to tax
238
+ subject matter
239
+ expertise
240
+ Reduced need for
241
+ capital investment in
242
+ technology
243
+ Ability to provide flexibility
244
+ and quickly scale tax
245
+ operations as needed
246
+ Major/significant
247
+ Some
248
+ Transfer of risk associated
249
+ with technology systems or
250
+ processes to one or more
251
+ third parties
252
+ Reallocation of current
253
+ tax team to other
254
+ strategic objectives
255
+
256
+ Respondents to the Tax Transformation Trends 2023 survey cited access to the latest technology capabilities (54%) even more often than reduced operating costs (51%) as a major or
257
+ significant benefit of outsourcing (Figure 4). Reduced need for capital investment in technology (45%) was also named frequently as an important benefit. Outsourcing can provide a
258
+ strategy for tax departments to acquire the technology tools and expertise that the current environment demands without incurring the significant capital investment that would be
259
+ required, upfront and ongoing, if enhancements were developed in-house.
260
+
261
+ While tax departments may have had discretionary budget for incremental changes, or fixing “broken” systems, wholescale finance transformation has centralized budgets, with IT
262
+ taking a prominent role in deciding where transformation efforts will focus. This has led to a greater need for the tax department to collaborate with IT and other departments.
263
+
264
+ Tax in a data-driven world | More regulations, more data, more technology
265
+ 8
266
+
267
+ --- end page 8
268
+
269
+ # $
270
+ 3. Internal collaboration
271
+ and obtaining budget
272
+ Data management and IT applications are increasingly important to tax departments.
273
+ However, in Deloitte's Tax Transformation Trends survey, 78% respondents in 2023 said
274
+ technology strategy and planning was largely controlled by Finance or IT; 56% said that
275
+ the tax department has input into the process, while 22% said it had little input (Figure
276
+ 5). These findings represent a change from the 2021 survey, in which tax leaders more
277
+ often said their departments had control over technology strategy and budget. This may
278
+ be due to an increased reliance on ERPs, rather than tax-department specific solutions,
279
+ along with the growing need for tax to gather data from across the company-both of
280
+ which would put more control into the hands of IT and Finance.
281
+
282
+ [Graph 5: Tax function role in technology strategy and planning]
283
+
284
+ | | 2021 | 2023 |
285
+ |---|---|---|
286
+ | | 40% | 15% |
287
+ | | 23% | 56% |
288
+ | | 23% | 22% |
289
+ | | 14% | 7% |
290
+
291
+ Largely set/controlled
292
+ by Finance or IT, with
293
+ little input from Tax
294
+
295
+ Largely set/controlled
296
+ by Finance or IT, but
297
+ Tax has input
298
+
299
+ Tax has significant
300
+ autonomy over
301
+ technology strategy,
302
+ but limited control over
303
+ Capex budget
304
+
305
+ Tax has significant
306
+ autonomy over both
307
+ technology strategy
308
+ and Capex budget
309
+
310
+ Tax in a data-driven world | More regulations, more data, more technology 9
311
+
312
+
313
+ --- end page 9
314
+
315
+ There were also significant regional differences. Respondents at North American companies (40%) more often said that the tax department has significant autonomy either over
316
+ technology strategy or over both technology strategy and budget than did those at companies headquartered in Europe (10%) or Asia Pacific (20%) (Figure 6). European and Asian
317
+ companies typically contend with more indirect taxes, requiring complicated integration with supply chain management in ERP systems, led by Finance, while in North America the
318
+ emphasis is on income taxes, requiring the tax department to lead. Historically, Asian companies have been geared more toward managing reporting and compliance in multiple
319
+ jurisdictions in a decentralized manner, and as a result, were not as experienced in having a common ERP platform to solve all jurisdictional issues. This is, however, changing rapidly as
320
+ more tax technology expertise is developing in Asia, enabling common ERP platforms and local customization.
321
+
322
+ ### Figure 6. Tax function role in technology strategy and planning
323
+ By region
324
+
325
+ | | | |
326
+ | ----------- | ----------- | ----------- |
327
+ | ![Figure 6: Tax function role in technology strategy and planning](image_reference) | | |
328
+
329
+ [Table 1: Tax function role in technology strategy and planning by region - Europe]
330
+ | | Percentage |
331
+ | :-------------------------------------------------------------------------------------------- | ---------: |
332
+ | Largely set/controlled by Finance or IT, with little input from Tax | 6% |
333
+ | Largely set/controlled by Finance or IT, but Tax has input | 51% |
334
+ | Tax has significant autonomy over technology strategy, but limited control over Capex budget | 29% |
335
+ | Tax has significant autonomy over both technology strategy and Capex budget | 10% |
336
+ | Total | 100% |
337
+
338
+ [Table 2: Tax function role in technology strategy and planning by region - North America]
339
+ | | Percentage |
340
+ | :-------------------------------------------------------------------------------------------- | ---------: |
341
+ | Largely set/controlled by Finance or IT, with little input from Tax | 8% |
342
+ | Largely set/controlled by Finance or IT, but Tax has input | 22% |
343
+ | Tax has significant autonomy over technology strategy, but limited control over Capex budget | 30% |
344
+ | Tax has significant autonomy over both technology strategy and Capex budget | 40% |
345
+ | Total | 100% |
346
+
347
+ [Table 3: Tax function role in technology strategy and planning by region - Asia Pacific]
348
+ | | Percentage |
349
+ | :-------------------------------------------------------------------------------------------- | ---------: |
350
+ | Largely set/controlled by Finance or IT, with little input from Tax | 23% |
351
+ | Largely set/controlled by Finance or IT, but Tax has input | 51% |
352
+ | Tax has significant autonomy over technology strategy, but limited control over Capex budget | 26% |
353
+ | Tax has significant autonomy over both technology strategy and Capex budget | 20% |
354
+ | Total | 100% |
355
+
356
+ Technology plays a key role in many aspects of tax operations and in transforming those operations to meet today's challenges—which was made clear in interviews with respondents.
357
+
358
+
359
+ It's a priority to meet compliance requirements, which are becoming significantly challenging these days, such as
360
+ Pillar Two and e-reporting. All these new kinds of compliance are very connected to technology and digitalization.
361
+ Jesus Bravo Fernandez
362
+ Head of Indirect Tax, Transfer Pricing, and Tax Technology, Coca-Cola Europacific Partners
363
+ "
364
+
365
+ Tax in a data-driven world | More regulations, more data, more technology 10
366
+
367
+ --- end page 10
368
+
369
+ Many respondents said implementing a single, integrated tax platform was a key priority
370
+ for the next few years as they pursue increased efficiency and access to better data. For
371
+ many, there is still work to do on rationalizing fragmented technology landscapes.
372
+
373
+
374
+ We are looking at how do we deal with all the
375
+ various systems, and how do we bring some
376
+ structure and consistency and visibility in that
377
+ chaos-what evolution and trends are happening
378
+ from a technology point of view.
379
+ Dirk Timmermans
380
+ Vice President of Global Statutory Finance and Tax Operations, Johnson Controls
381
+ "
382
+ To make the case for budget, tax departments need to demonstrate the value they
383
+ generate and protect for the company. Companies that have taken the top-down
384
+ company view, managed to explain the impact of tax authority digitalization to the C-suite
385
+ and worked collaboratively with the IT department have typically been more successful in
386
+ building this value case.
387
+
388
+ Understanding and communicating the aspiration of real-time compliance through
389
+ direct connection between tax authorities and company systems (see the OECD's
390
+ “Tax Administration 3.0" discussion paper) is important for ERP system design as ERP
391
+ systems are where most transactions are handled-thinking about the long term is
392
+ imperative, as finding a point solution now, without thinking through the potential
393
+ requirements in five to 10 years' time, may hinder the tax department from creating
394
+ the environment that will enable being a strategic advisor to the business. Being able to
395
+ identify all the potential outcomes, however, is the difficult part, especially since tax laws
396
+ and regulations still differ significantly between jurisdictions and change frequently.
397
+
398
+ Tax in a data-driven world | More regulations, more data, more technology 11
399
+
400
+ --- end page 11
401
+
402
+ # 4. Finding the optimal
403
+ implementation and
404
+ maintenance program
405
+
406
+ Tax departments often focus on immediate-need technology. Best practice, however,
407
+ would suggest obtaining budget and developing a road map first to use the technology
408
+ already available, identifying what might be needed in the future, and then making build-
409
+ or-buy decisions. At this point, it's useful to have a holistic view of the tax department's
410
+ operating model—it's not about doing everything now, but looking at increasing speed
411
+ and accuracy, and freeing up tax professionals for more strategic business activity.
412
+
413
+ Once the technology is chosen, the question is often whether to implement using
414
+ internal resources, appoint an implementation partner, or outsource the entire function
415
+ requiring the technology.
416
+
417
+ If the decision is made to use in-house resources, tax departments need to develop
418
+ professional teams with the new skills required, especially data management and
419
+ technology expertise. This was evident from Deloitte's Tax Transformation Trends
420
+ research in 2023: When asked where their tax department will have the greatest need
421
+ for skills over the next three to five years, respondents most often named data analytics,
422
+ data-driven strategic insights, and data management (44%)—a reflection of the growing
423
+ importance of data-driven decision making and increased government requirements for
424
+ direct access to companies' tax data (Figure 7 on the next page).
425
+
426
+
427
+ We made the strategic decision to have capable IT
428
+ people within our tax department many years ago,
429
+ and that has allowed us to move much more quickly
430
+ with getting our data needs met.
431
+
432
+ Dirk Timmermans
433
+ Vice President of Global Statutory Finance and Tax Operations, Johnson Controls
434
+ "
435
+
436
+ Tax in a data-driven world | More regulations, more data, more technology 12
437
+
438
+ --- end page 12
439
+
440
+ Several skill areas were cited less often in 2023 than in 2021, suggesting that some companies may have made progress in addressing their talent requirement in those areas—either
441
+ through recruitment, or by leaning more on outside providers. For example, technology transformation and process redesign was named as a top talent need by 29% of respondents
442
+ in the current survey, compared to 43% in 2021. However, this area still ranked fourth highest among the skills needed in the next few years, indicating that many companies are still
443
+ working to develop or acquire technology talent.
444
+
445
+ Figure 7. Greatest needs in the tax department for skills over the next one to two years
446
+
447
+ 2021 vs. 2023
448
+
449
+ [Graph 1: Greatest needs in the tax department for skills over the next one to two years]
450
+ | Skill | 2023 (%) | 2021 (%) |
451
+ |-------------------------------------------------|----------|----------|
452
+ | Data analytics, data-driven strategic insights, and data management | 40 | 44 |
453
+ | Specialist tax technical skills | 35 | 34 |
454
+ | Transactional tax skills | 25 | 33 |
455
+ | Technology transformation and process re-design| 29 | 43 |
456
+ | Risk management | 36 | N/A |
457
+ | Expertise in emerging areas of regulatory compliance | 27 | 36 |
458
+ | Cross-business advisory skills | 25 | 34 |
459
+ | External stakeholder management | 16 | 16 |
460
+ | Business process skills | N/A | 28 |
461
+ | Communications skills | N/A | 10 |
462
+
463
+ Note: Percentages do not add up to 100% since respondents could make multiple selections. Some items only appeared in the 2023 survey.
464
+
465
+ Tax in a data-driven world | More regulations, more data, more technology 13
466
+
467
+ --- end page 13
468
+
469
+ # What's next?
470
+
471
+ Strategic management and effective use of data as an asset will be top of mind for tax leaders as
472
+ both global tax reform and primary stakeholders—including boards, finance functions, and financial
473
+ institutions-continue to place data management at the center of the tax function. The tax technology
474
+ landscape, however, is broader than ERP and identifying tax data-tax leaders also need to consider
475
+ how many technologies are really needed to meet their needs, how many are not yet connected to
476
+ each other, and how fast technology is changing, threatening the obsolescence of existing systems.
477
+
478
+ The pace at which Generative Al technology and tooling is advancing can make it difficult for
479
+ businesses to work out the optimum point at which to invest at scale. Generative Al activity is
480
+ currently predominantly focused on identifying use cases and undertaking a tactical program of
481
+ experimentation as part of a measured approach to understanding the role and impact Generative
482
+ Al can have on a variety of business functions. There should, however, be an expectation that
483
+ over time, Generative Al, combined with broader Al and data analytical techniques, will play an
484
+ increasingly dominant role in the tax technology space, fueled by high levels of fluency, an expansion
485
+ of functionality and, critically, reduced cost of deployment. All of which reinforces the need for a clear
486
+ strategy and focus on data structures.
487
+
488
+ Today, tax directors are addressing the impact of data within their tax functions and have pivoted
489
+ by introducing new skill sets within their tax function, which is encouraging. This is, however,
490
+ just the first step of a continuous journey in which primary stakeholders use tax data through
491
+ analytics as a strategic enabler to drive investment decisions, often these days using dynamic
492
+ dashboarding and modeling.
493
+
494
+ The results of Deloitte's Tax Transformation Trends 2023 survey highlighted the need for data-
495
+ driven insight from compliance activities, more agile partnering with other parts of the business,
496
+ and a heightened need to integrate technology across functions and jurisdictions. As digitalization
497
+ continues-accelerated by the introduction of Artificial Intelligence capabilities—tax departments will
498
+ need to ensure their digital strategy meets an ever-changing tax regulatory landscape, is incorporated
499
+ into and aligns with the business's overall digital transformation ambitions, and incorporates efforts
500
+ to prepare their people and processes for accelerated transformation. Tax directors interviewed for
501
+ Deloitte's Tax Transformation Trends research recommend embedding Tax into everyday processes
502
+ and operations. This will lead to tax considerations in transformation efforts becoming “business as
503
+ usual," and making building the business case for technology investment less onerous.
504
+
505
+ Tax in a data-driven world | More regulations, more data, more technology
506
+ 14
507
+
508
+
509
+ --- end page 14
510
+
511
+ # About the research
512
+
513
+ Deloitte's 2023 Tax Transformation Trends
514
+ survey engaged tax and finance executives
515
+ to understand their strategies for tax
516
+ operations, outsourcing, technology, and
517
+ talent. Deloitte surveyed 300 senior tax
518
+ and finance leaders at companies across
519
+ a range of industries, sizes, and regions to
520
+ understand their future vision for the tax
521
+ function and how they plan to achieve that
522
+ vision. Deloitte also conducted a series
523
+ of qualitative one-on-one interviews with
524
+ senior tax executives at large multinational
525
+ companies to develop deeper insights into
526
+ their tax transformation activities.
527
+
528
+ # Figure 8. Demographics
529
+
530
+ ## Revenue
531
+
532
+ | | |
533
+ | -------------------- | ---- |
534
+ | US$750M to 1B | 43% |
535
+ | US$1B to 5B | 28% |
536
+ | US$5B+ | 29% |
537
+
538
+ ## Industry
539
+
540
+ | Industry | Percentage |
541
+ | ----------------------------- | ---------- |
542
+ | Life Sciences & Health Care | 7% |
543
+ | Consumer | 35% |
544
+ | Financial Services | 13% |
545
+ | Technology, Media & Telecommunications | 16% |
546
+ | Energy, Resources, & Industrials | 29% |
547
+
548
+ ## Role
549
+
550
+ | Role | Percentage |
551
+ | ------- | ---------- |
552
+ | C-1 | 19% |
553
+ | C-2 | 35% |
554
+ | C-suite | 46% |
555
+ | Finance | 28% |
556
+ | Tax | 72% |
557
+
558
+ ## Headquarters location
559
+
560
+ | Location | Percentage |
561
+ | --------------- | ---------- |
562
+ | Asia Pacific | 30% |
563
+ | Australia | 4% |
564
+ | Japan | 13% |
565
+ | China | 13% |
566
+ | United Kingdom | 18% |
567
+ | Europe | 39% |
568
+ | United States | 25% |
569
+ | North America | 31% |
570
+ | Canada | 6% |
571
+ | Belgium | 4% |
572
+ | Germany | 7% |
573
+ | Netherlands | 5% |
574
+ | Switzerland | 5% |
575
+
576
+ Survey sample size = 300
577
+ C-suite (e.g., CFO, CAO, CTaxO) = 137
578
+ C-1 (e.g., EVP, SVP of Tax or Finance) = 57
579
+ C-2 (e.g., Directors, VP, Head of
580
+ sub-division) = 106
581
+
582
+ --- end page 15
583
+
584
+ # Contacts
585
+
586
+ Andy Gwyther
587
+ Deloitte Global Operate Leader, Tax & Legal
588
589
+
590
+ North America
591
+ Eric Peel
592
+ Tax Operate Leader
593
+ Deloitte Tax LLP (US)
594
595
+
596
+ Emily VanVleet
597
+ Tax Operate Leader
598
+ Deloitte Tax LLP (US)
599
600
+
601
+ Jeff Butt
602
+ Tax & Legal Operate Leader
603
+ Deloitte Canada
604
605
+
606
+ Arturo Camacho
607
+ Tax & Legal Operate Leader
608
+ Deloitte Spanish-LATAM
609
610
+
611
+ Europe, Middle East, Africa
612
+ Christophe De Waele
613
+ Tax & Legal Operate Leader
614
+ Deloitte North & South Europe
615
616
+
617
+ Ana Santiago Marques
618
+ Tax & Legal Operate Leader
619
+ Deloitte Central Europe
620
621
+
622
+ Patrick Earlam
623
+ Tax & Legal Operate Leader
624
+ Deloitte Africa
625
626
+
627
+ Asia Pacific
628
+ Christopher Roberge
629
+ Tax Operate Leader
630
+ Deloitte Asia Pacific
631
632
+
633
+ Tax in a data-driven world | More regulations, more data, more technology 16
634
+
635
+ --- end page 16
636
+
637
+ # Deloitte.
638
+
639
+ Deloitte refers to one or more of Deloitte Touche Tohmatsu Limited (DTTL), its global network of member firms, and their related entities (collectively, the "Deloitte organization"). DTTL (also
640
+ referred to as "Deloitte Global") and each of its member firms and related entities are legally separate and independent entities, which cannot obligate or bind each other in respect of third parties.
641
+ DTTL and each DTTL member firm and related entity is liable only for its own acts and omissions, and not those of each other. DTTL does not provide services to clients. Please see www.deloitte.
642
+ com/about to learn more.
643
+
644
+ Deloitte provides industry-leading audit and assurance, tax and legal, consulting, financial advisory, and risk advisory services to nearly 90% of the Fortune Global 500® and thousands of private
645
+ companies. Our people deliver measurable and lasting results that help reinforce public trust in capital markets, enable clients to transform and thrive, and lead the way toward a stronger
646
+ economy, a more equitable society, and a sustainable world. Building on its 175-plus year history, Deloitte spans more than 150 countries and territories. Learn how Deloitte's approximately
647
+ 457,000 people worldwide make an impact that matters at www.deloitte.com.
648
+
649
+ This communication contains general information only, and none of Deloitte Touche Tohmatsu Limited ("DTTL"), its global network of member firms or their related entities (collectively, the "Deloitte
650
+ organization") is, by means of this communication, rendering professional advice or services. Before making any decision or taking any action that may affect your finances or your business, you
651
+ should consult a qualified professional adviser.
652
+
653
+ No representations, warranties or undertakings (express or implied) are given as to the accuracy or completeness of the information in this communication, and none of DTTL, its member firms,
654
+ related entities, employees or agents shall be liable or responsible for any loss or damage whatsoever arising directly or indirectly in connection with any person relying on this communication.
655
+
656
+ 2024. For information, contact Deloitte Global.
657
+
658
+ Designed by CoRe Creative Services. RITM1606967
659
+
660
+ --- end page 17
661
+
data/cache/dttl-tax-technology-report-2023.pdf.reformatted.md ADDED
@@ -0,0 +1,646 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Tax in a Data-Driven World
2
+
3
+ Deloitte.
4
+
5
+ Tax in a data-driven world
6
+ More regulations, more data, more technology
7
+
8
+ --- end page 1
9
+
10
+ ## Data and New Regulations Drive Tax Transformation
11
+
12
+ Immediate access to reliable, accurate, and fit-for-purpose tax data is essential to be
13
+ able to meet complex tax obligations, real-time reporting requirements, and increasing
14
+ expectations of tax transparency. Recent developments such as the OECD's Pillar
15
+ Two rules, requiring large multinational enterprises to pay a minimum “global tax," the
16
+ introduction of CESOP (Central Electronic System of Payment information) and ViDA rules
17
+ (VAT in a Digital Age) in the EU, e-reporting, and e-invoicing are all examples of initiatives
18
+ which are increasing the compliance requirements for companies and having a significant
19
+ impact on tax strategies and operations. Advances in the way technology is used to
20
+ identify, transform, and manage tax-related data should be an essential component of
21
+ a business's response.
22
+
23
+ > Pillar Two is at the forefront of our mind. We
24
+ > are still quantifying any additional liability and
25
+ > establishing any impact on our Effective Tax Rate.
26
+ > Naturally, there is a huge compliance and systems
27
+ > requirement to accommodate Pillar Two.
28
+ > Gemma Beck
29
+ > Head of Tax, Haleon Plc
30
+
31
+ Challenges such as version control, manual data collection, or getting the right format
32
+ and level of data can delay accurate reporting and insights—insights from data being
33
+ something the respondents to Deloitte's Tax Transformation Trends 2023 research
34
+ highlighted as of high importance. The impact of these regulatory and digitalization
35
+ changes can vary across companies based on their size, region, or industry. Yet, the
36
+ overall trend has been toward growing workloads and increased complexity.
37
+
38
+ Tax in a data-driven world | More regulations, more data, more technology
39
+ 2
40
+
41
+ --- end page 2
42
+
43
+ In addition, many tax authorities are collecting and sharing
44
+ more detailed data about taxes and are requesting direct
45
+ access to large companies' tax-related data. The digitalization
46
+ of tax authorities elevates the need for reliable and automated
47
+ tax models, and generating the right data, in the right format,
48
+ at the right time. Automating data input, validation, and
49
+ cleansing can save time and reduce risk, but is also key to
50
+ enabling the access tax administrations increasingly require.
51
+
52
+ All this at a time when businesses are starting to explore the
53
+ role and benefits of Generative Al, and having to evaluate how
54
+ trustworthy this technology is, the risks associated with data
55
+ privacy, as well as the consequences for their employees.
56
+
57
+ Technology can also facilitate greater visibility into tax data
58
+ across the enterprise, which can provide insights that can
59
+ generate value for the business when making strategic
60
+ decisions. In short, tax departments increasingly need
61
+ technology to help them pivot from task completion and
62
+ cost control toward being able to extract outcome-oriented
63
+ business insights from compliance activities through analytics.
64
+
65
+ [Figure 1. Progress made in implementing tax transformation strategies]
66
+
67
+ | Fully implemented | | | Plan to implement within 12 months |
68
+ |---|---|---|---|
69
+ | 37% | ERP system customized for tax issues | | 4% |
70
+ | 37% | Use of tools to monitor relevant developments in tax laws globally | | 7% |
71
+ | 38% | Tax data management solutions and/or tax professionals in company's data management team | | 6% |
72
+ | 37% | Use of advanced analytics in monitoring of key controls | | 4% |
73
+ | 32% | Integrated processes | | 4% |
74
+ | 41% | Streamlining of processes not appropriate for automation | | 4% |
75
+ | 41% | Automation of tax compliance and reporting processes | | 2% |
76
+
77
+ Yet, when Deloitte asked 300 tax and finance professionals
78
+ what progress they had made in implementing tax
79
+ transformation strategies, 24% stated they intended to
80
+ implement an ERP system customized for tax issues in the next
81
+ 12 months (Figure 1). Only 37% of respondents said their tax
82
+ department had fully implemented the use of tools to monitor
83
+ relevant developments in tax laws around the world. Similarly,
84
+ many respondents reported that their tax department
85
+ had not yet fully implemented the data management and
86
+ technology applications required by these changes-
87
+ introduction of tax data management solutions and/or having tax
88
+ professionals in the company's data management team (38%), and
89
+ integrated processes (32%).
90
+
91
+ Implementing tax technology, or customizing existing ERP systems, requires identifying the appropriate issues to
92
+ customize the system for, involving the right stakeholders internally, obtaining budget when there are competing
93
+ demands, and devising a robust schedule of maintenance.
94
+
95
+ Tax in a data-driven world | More regulations, more data, more technology 3
96
+
97
+ --- end page 3
98
+
99
+ ## 1. Customizing Technology for Global Compliance
100
+
101
+ Compliance is a top priority for the tax department (Figure 2) but to achieve it, comply
102
+ with Pillar Two, or calculate their global tax liability, tax departments need accurate,
103
+ timely, tax-related data integrated across their organization. However, achieving visibility
104
+ into enterprise-wide tax data has proven difficult for many companies, with respondents
105
+ to Deloitte's Tax Transformation Trends 2023 survey citing integrating tax-related data
106
+ across the company (36%) as their second-most important challenge. More than a fifth of
107
+ respondents found challenges in having limited technology or data management expertise
108
+ (23%), obtaining a comprehensive view of the total tax paid globally (22%), and not having
109
+ sufficient control over technology strategy and investment (22%) (Figure 2). There is a “perfect
110
+ storm" with the compliance challenge at least partly linked to these other factors.
111
+
112
+ [Graph 2: Challenges for the tax department over the next three to five years]
113
+
114
+ | Category | Percentage |
115
+ | -------------------------------------------------------------------------- | ------------ |
116
+ | Complying with evolving tax laws and regulations around the world | 43% |
117
+ | Integrating tax-related data across the company | 36% |
118
+ | Limited technology/data management expertise | 23% |
119
+ | Lack of sufficient control over technology strategy and investment | 22% |
120
+ | Obtaining a comprehensive view of the total tax paid globally | 22% |
121
+ | Obtaining adequate budget | 18% |
122
+ | Difficulty in aligning with company's technology transformation strategy/approach | 11% |
123
+
124
+ Percentage ranked among top 3 challenges
125
+
126
+ Tax in a data-driven world | More regulations, more data, more technology 4
127
+
128
+ --- end page 4
129
+
130
+ > What we see now is an increasing demand for
131
+ > more compliance requirements-I mean from the
132
+ > OECD and also coming from local authorities...
133
+ > there's demand for more automation.
134
+ > Liliane Saiani
135
+ > Head of Tax, Mercado Libre
136
+
137
+ The desire to continue customizing ERP systems for tax is not surprising-being able to incorporate
138
+ flexibility and information to respond to changing tax laws will help companies comply, thereby avoiding
139
+ penalties and costs. Modern ERP systems can provide the accurate, granular data that tax teams
140
+ need at the legal entity level, while still supporting the management-level reporting needed by other
141
+ stakeholders. In this way, the ERP can help support tax analytics so that companies can model the
142
+ impact of changing tax laws in multiple jurisdictions, improving the insights used for decision making.
143
+
144
+ Companies have been working to put in place the data management and technology capabilities
145
+ demanded by today's tax environment, but many have more work to do.
146
+
147
+ > Our approach was to first work to make ourselves
148
+ > more efficient. We're trying to transform our ERP
149
+ > landscape. It's always a challenge to wrangle all
150
+ > the different technology pieces we have.
151
+ > Kristi Doyle
152
+ > Global Tax Director, Johnson Controls
153
+
154
+ Tax in a data-driven world | More regulations, more data, more technology
155
+ 5
156
+
157
+ --- end page 5
158
+
159
+ Many of the challenges appear greater for smaller companies than for larger ones. For example, respondents at companies with revenues of US$5 billion or greater were more likely to
160
+ say that their company had fully implemented introduction of tax data management solutions and/or having tax professionals in the company's data management team (55%) than did those
161
+ at companies with revenues of US$1 billion to US$5 billion (35%) or US$750 million to US$1 billion (25%) (Figure 3).
162
+
163
+ ### Figure 3: Strategies/actions fully implemented by the tax department-by company size
164
+
165
+ | | Reducing headcount | Implementation of lower-cost delivery model for lower complexity processes | Integrated processes | ERP system customized for tax issues | Processes to allow tax to be adequately considered in corporate decisions | Use of advanced analytics in monitoring of key controls | Use of tools to monitor relevant developments in tax laws globally | Tax data mgmt solutions and/or tax profs. in company's data mgmt team | Streamlining of processes not appropriate for automation | Automation of tax compliance and reporting processes | Ongoing assessment of skills required to identify any gaps | Training programs for skills required in strategic roles |
166
+ |-----------------------------------------------|--------------------|---------------------------------------------------------------------------------|----------------------|---------------------------------------|-----------------------------------------------------------------------------------|-------------------------------------------------------------------|----------------------------------------------------------------------|--------------------------------------------------------------------|-----------------------------------------------------------------|--------------------------------------------------------------------|-------------------------------------------------------------------|-------------------------------------------------------------------|
167
+ | **US$5B+** | 0% | 38% | 34% | 46% | 39% | 56% | 55% | 55% | 49% | 46% | 51% | 56% |
168
+ | **US$1B - $5B** | 0% | 30% | 33% | 45% | 37% | 35% | 38% | 35% | 47% | 40% | 51% | 54% |
169
+ | **US$750M - $1B** | 2% | 18% | 27% | 14% | 20% | 24% | 22% | 25% | 27% | 29% | 24% | 26% |
170
+
171
+ Tax in a data-driven world | More regulations, more data, more technology 6
172
+
173
+ --- end page 6
174
+
175
+ ## 2. Deciding How to Invest in Technology
176
+
177
+ Digital transformation is embedded into most companies' agendas, but it is still difficult
178
+ to identify clear returns on technology investment—from determining which actions
179
+ drive the most impact, to which investments yield the highest enterprise value. With
180
+ Generative Al also advancing at pace, it is increasingly difficult for businesses to work out
181
+ the optimum point at which to invest at scale. When resources are constrained, it is worth
182
+ weighing up the investment needed for developing, buying, maintaining, and replacing
183
+ technology versus leveraging the technology of an outsource service provider.
184
+
185
+ > We outsource as much as possible with trusted
186
+ > partners. We don't have the resources, nor the
187
+ > budget, to develop all those tools ourselves.
188
+ > Philippe de Roose
189
+ > Senior Vice President for Tax Treasury and Finance Administration,
190
+ > Radisson Hospitality Group
191
+
192
+ Tax in a data-driven world | More regulations, more data, more technology
193
+ 7
194
+
195
+ --- end page 7
196
+
197
+ Figure 4. Benefit company has received—or could receive—from outsourcing an entire activity or function in the tax department
198
+
199
+ 100%
200
+
201
+ 75%
202
+ 26%
203
+ 27%
204
+ 34%
205
+ 37%
206
+ 33%
207
+ 35%
208
+ 30%
209
+ 50%
210
+ 54%
211
+ 51%
212
+ 25%
213
+ 46%
214
+ 45%
215
+ 45%
216
+ 43%
217
+ 40%
218
+ 0%
219
+ Access to the
220
+ latest technology
221
+ capabilities
222
+ Reduced
223
+ operating costs
224
+ Access to tax
225
+ subject matter
226
+ expertise
227
+ Reduced need for
228
+ capital investment in
229
+ technology
230
+ Ability to provide flexibility
231
+ and quickly scale tax
232
+ operations as needed
233
+ Major/significant
234
+ Some
235
+ Transfer of risk associated
236
+ with technology systems or
237
+ processes to one or more
238
+ third parties
239
+ Reallocation of current
240
+ tax team to other
241
+ strategic objectives
242
+
243
+ Respondents to the Tax Transformation Trends 2023 survey cited access to the latest technology capabilities (54%) even more often than reduced operating costs (51%) as a major or
244
+ significant benefit of outsourcing (Figure 4). Reduced need for capital investment in technology (45%) was also named frequently as an important benefit. Outsourcing can provide a
245
+ strategy for tax departments to acquire the technology tools and expertise that the current environment demands without incurring the significant capital investment that would be
246
+ required, upfront and ongoing, if enhancements were developed in-house.
247
+
248
+ While tax departments may have had discretionary budget for incremental changes, or fixing “broken” systems, wholescale finance transformation has centralized budgets, with IT
249
+ taking a prominent role in deciding where transformation efforts will focus. This has led to a greater need for the tax department to collaborate with IT and other departments.
250
+
251
+ Tax in a data-driven world | More regulations, more data, more technology
252
+ 8
253
+
254
+ --- end page 8
255
+
256
+ ## 3. Internal Collaboration and Obtaining Budget
257
+
258
+ Data management and IT applications are increasingly important to tax departments.
259
+ However, in Deloitte's Tax Transformation Trends survey, 78% respondents in 2023 said
260
+ technology strategy and planning was largely controlled by Finance or IT; 56% said that
261
+ the tax department has input into the process, while 22% said it had little input (Figure
262
+ 5). These findings represent a change from the 2021 survey, in which tax leaders more
263
+ often said their departments had control over technology strategy and budget. This may
264
+ be due to an increased reliance on ERPs, rather than tax-department specific solutions,
265
+ along with the growing need for tax to gather data from across the company-both of
266
+ which would put more control into the hands of IT and Finance.
267
+
268
+ [Graph 5: Tax function role in technology strategy and planning]
269
+
270
+ | | 2021 | 2023 |
271
+ |---|---|---|
272
+ | | 40% | 15% |
273
+ | | 23% | 56% |
274
+ | | 23% | 22% |
275
+ | | 14% | 7% |
276
+
277
+ Largely set/controlled
278
+ by Finance or IT, with
279
+ little input from Tax
280
+
281
+ Largely set/controlled
282
+ by Finance or IT, but
283
+ Tax has input
284
+
285
+ Tax has significant
286
+ autonomy over
287
+ technology strategy,
288
+ but limited control over
289
+ Capex budget
290
+
291
+ Tax has significant
292
+ autonomy over both
293
+ technology strategy
294
+ and Capex budget
295
+
296
+ Tax in a data-driven world | More regulations, more data, more technology 9
297
+
298
+ --- end page 9
299
+
300
+ There were also significant regional differences. Respondents at North American companies (40%) more often said that the tax department has significant autonomy either over
301
+ technology strategy or over both technology strategy and budget than did those at companies headquartered in Europe (10%) or Asia Pacific (20%) (Figure 6). European and Asian
302
+ companies typically contend with more indirect taxes, requiring complicated integration with supply chain management in ERP systems, led by Finance, while in North America the
303
+ emphasis is on income taxes, requiring the tax department to lead. Historically, Asian companies have been geared more toward managing reporting and compliance in multiple
304
+ jurisdictions in a decentralized manner, and as a result, were not as experienced in having a common ERP platform to solve all jurisdictional issues. This is, however, changing rapidly as
305
+ more tax technology expertise is developing in Asia, enabling common ERP platforms and local customization.
306
+
307
+ ### Figure 6. Tax function role in technology strategy and planning By region
308
+
309
+ | | | |
310
+ | ----------- | ----------- | ----------- |
311
+ | ![Figure 6: Tax function role in technology strategy and planning](image_reference) | | |
312
+
313
+ #### Europe
314
+
315
+ [Table 1: Tax function role in technology strategy and planning by region - Europe]
316
+ | | Percentage |
317
+ | :-------------------------------------------------------------------------------------------- | ---------: |
318
+ | Largely set/controlled by Finance or IT, with little input from Tax | 6% |
319
+ | Largely set/controlled by Finance or IT, but Tax has input | 51% |
320
+ | Tax has significant autonomy over technology strategy, but limited control over Capex budget | 29% |
321
+ | Tax has significant autonomy over both technology strategy and Capex budget | 10% |
322
+ | Total | 100% |
323
+
324
+ #### North America
325
+
326
+ [Table 2: Tax function role in technology strategy and planning by region - North America]
327
+ | | Percentage |
328
+ | :-------------------------------------------------------------------------------------------- | ---------: |
329
+ | Largely set/controlled by Finance or IT, with little input from Tax | 8% |
330
+ | Largely set/controlled by Finance or IT, but Tax has input | 22% |
331
+ | Tax has significant autonomy over technology strategy, but limited control over Capex budget | 30% |
332
+ | Tax has significant autonomy over both technology strategy and Capex budget | 40% |
333
+ | Total | 100% |
334
+
335
+ #### Asia Pacific
336
+
337
+ [Table 3: Tax function role in technology strategy and planning by region - Asia Pacific]
338
+ | | Percentage |
339
+ | :-------------------------------------------------------------------------------------------- | ---------: |
340
+ | Largely set/controlled by Finance or IT, with little input from Tax | 23% |
341
+ | Largely set/controlled by Finance or IT, but Tax has input | 51% |
342
+ | Tax has significant autonomy over technology strategy, but limited control over Capex budget | 26% |
343
+ | Tax has significant autonomy over both technology strategy and Capex budget | 20% |
344
+ | Total | 100% |
345
+
346
+ Technology plays a key role in many aspects of tax operations and in transforming those operations to meet today's challenges—which was made clear in interviews with respondents.
347
+
348
+ > It's a priority to meet compliance requirements, which are becoming significantly challenging these days, such as
349
+ > Pillar Two and e-reporting. All these new kinds of compliance are very connected to technology and digitalization.
350
+ > Jesus Bravo Fernandez
351
+ > Head of Indirect Tax, Transfer Pricing, and Tax Technology, Coca-Cola Europacific Partners
352
+
353
+ Tax in a data-driven world | More regulations, more data, more technology 10
354
+
355
+ --- end page 10
356
+
357
+ Many respondents said implementing a single, integrated tax platform was a key priority
358
+ for the next few years as they pursue increased efficiency and access to better data. For
359
+ many, there is still work to do on rationalizing fragmented technology landscapes.
360
+
361
+ > We are looking at how do we deal with all the
362
+ > various systems, and how do we bring some
363
+ > structure and consistency and visibility in that
364
+ > chaos-what evolution and trends are happening
365
+ > from a technology point of view.
366
+ > Dirk Timmermans
367
+ > Vice President of Global Statutory Finance and Tax Operations, Johnson Controls
368
+
369
+ To make the case for budget, tax departments need to demonstrate the value they
370
+ generate and protect for the company. Companies that have taken the top-down
371
+ company view, managed to explain the impact of tax authority digitalization to the C-suite
372
+ and worked collaboratively with the IT department have typically been more successful in
373
+ building this value case.
374
+
375
+ Understanding and communicating the aspiration of real-time compliance through
376
+ direct connection between tax authorities and company systems (see the OECD's
377
+ “Tax Administration 3.0" discussion paper) is important for ERP system design as ERP
378
+ systems are where most transactions are handled-thinking about the long term is
379
+ imperative, as finding a point solution now, without thinking through the potential
380
+ requirements in five to 10 years' time, may hinder the tax department from creating
381
+ the environment that will enable being a strategic advisor to the business. Being able to
382
+ identify all the potential outcomes, however, is the difficult part, especially since tax laws
383
+ and regulations still differ significantly between jurisdictions and change frequently.
384
+
385
+ Tax in a data-driven world | More regulations, more data, more technology 11
386
+
387
+ --- end page 11
388
+
389
+ ## 4. Finding the Optimal Implementation and Maintenance Program
390
+
391
+ Tax departments often focus on immediate-need technology. Best practice, however,
392
+ would suggest obtaining budget and developing a road map first to use the technology
393
+ already available, identifying what might be needed in the future, and then making build-
394
+ or-buy decisions. At this point, it's useful to have a holistic view of the tax department's
395
+ operating model—it's not about doing everything now, but looking at increasing speed
396
+ and accuracy, and freeing up tax professionals for more strategic business activity.
397
+
398
+ Once the technology is chosen, the question is often whether to implement using
399
+ internal resources, appoint an implementation partner, or outsource the entire function
400
+ requiring the technology.
401
+
402
+ If the decision is made to use in-house resources, tax departments need to develop
403
+ professional teams with the new skills required, especially data management and
404
+ technology expertise. This was evident from Deloitte's Tax Transformation Trends
405
+ research in 2023: When asked where their tax department will have the greatest need
406
+ for skills over the next three to five years, respondents most often named data analytics,
407
+ data-driven strategic insights, and data management (44%)—a reflection of the growing
408
+ importance of data-driven decision making and increased government requirements for
409
+ direct access to companies' tax data (Figure 7 on the next page).
410
+
411
+ > We made the strategic decision to have capable IT
412
+ > people within our tax department many years ago,
413
+ > and that has allowed us to move much more quickly
414
+ > with getting our data needs met.
415
+ >
416
+ > Dirk Timmermans
417
+ > Vice President of Global Statutory Finance and Tax Operations, Johnson Controls
418
+
419
+ Tax in a data-driven world | More regulations, more data, more technology 12
420
+
421
+ --- end page 12
422
+
423
+ Several skill areas were cited less often in 2023 than in 2021, suggesting that some companies may have made progress in addressing their talent requirement in those areas—either
424
+ through recruitment, or by leaning more on outside providers. For example, technology transformation and process redesign was named as a top talent need by 29% of respondents
425
+ in the current survey, compared to 43% in 2021. However, this area still ranked fourth highest among the skills needed in the next few years, indicating that many companies are still
426
+ working to develop or acquire technology talent.
427
+
428
+ Figure 7. Greatest needs in the tax department for skills over the next one to two years
429
+
430
+ 2021 vs. 2023
431
+
432
+ [Graph 1: Greatest needs in the tax department for skills over the next one to two years]
433
+ | Skill | 2023 (%) | 2021 (%) |
434
+ |-------------------------------------------------|----------|----------|
435
+ | Data analytics, data-driven strategic insights, and data management | 40 | 44 |
436
+ | Specialist tax technical skills | 35 | 34 |
437
+ | Transactional tax skills | 25 | 33 |
438
+ | Technology transformation and process re-design| 29 | 43 |
439
+ | Risk management | 36 | N/A |
440
+ | Expertise in emerging areas of regulatory compliance | 27 | 36 |
441
+ | Cross-business advisory skills | 25 | 34 |
442
+ | External stakeholder management | 16 | 16 |
443
+ | Business process skills | N/A | 28 |
444
+ | Communications skills | N/A | 10 |
445
+
446
+ Note: Percentages do not add up to 100% since respondents could make multiple selections. Some items only appeared in the 2023 survey.
447
+
448
+ Tax in a data-driven world | More regulations, more data, more technology 13
449
+
450
+ --- end page 13
451
+
452
+ ## What's Next?
453
+
454
+ Strategic management and effective use of data as an asset will be top of mind for tax leaders as
455
+ both global tax reform and primary stakeholders—including boards, finance functions, and financial
456
+ institutions-continue to place data management at the center of the tax function. The tax technology
457
+ landscape, however, is broader than ERP and identifying tax data-tax leaders also need to consider
458
+ how many technologies are really needed to meet their needs, how many are not yet connected to
459
+ each other, and how fast technology is changing, threatening the obsolescence of existing systems.
460
+
461
+ The pace at which Generative Al technology and tooling is advancing can make it difficult for
462
+ businesses to work out the optimum point at which to invest at scale. Generative Al activity is
463
+ currently predominantly focused on identifying use cases and undertaking a tactical program of
464
+ experimentation as part of a measured approach to understanding the role and impact Generative
465
+ Al can have on a variety of business functions. There should, however, be an expectation that
466
+ over time, Generative Al, combined with broader Al and data analytical techniques, will play an
467
+ increasingly dominant role in the tax technology space, fueled by high levels of fluency, an expansion
468
+ of functionality and, critically, reduced cost of deployment. All of which reinforces the need for a clear
469
+ strategy and focus on data structures.
470
+
471
+ Today, tax directors are addressing the impact of data within their tax functions and have pivoted
472
+ by introducing new skill sets within their tax function, which is encouraging. This is, however,
473
+ just the first step of a continuous journey in which primary stakeholders use tax data through
474
+ analytics as a strategic enabler to drive investment decisions, often these days using dynamic
475
+ dashboarding and modeling.
476
+
477
+ The results of Deloitte's Tax Transformation Trends 2023 survey highlighted the need for data-
478
+ driven insight from compliance activities, more agile partnering with other parts of the business,
479
+ and a heightened need to integrate technology across functions and jurisdictions. As digitalization
480
+ continues-accelerated by the introduction of Artificial Intelligence capabilities—tax departments will
481
+ need to ensure their digital strategy meets an ever-changing tax regulatory landscape, is incorporated
482
+ into and aligns with the business's overall digital transformation ambitions, and incorporates efforts
483
+ to prepare their people and processes for accelerated transformation. Tax directors interviewed for
484
+ Deloitte's Tax Transformation Trends research recommend embedding Tax into everyday processes
485
+ and operations. This will lead to tax considerations in transformation efforts becoming “business as
486
+ usual," and making building the business case for technology investment less onerous.
487
+
488
+ Tax in a data-driven world | More regulations, more data, more technology
489
+ 14
490
+
491
+ --- end page 14
492
+
493
+ ## About the Research
494
+
495
+ Deloitte's 2023 Tax Transformation Trends
496
+ survey engaged tax and finance executives
497
+ to understand their strategies for tax
498
+ operations, outsourcing, technology, and
499
+ talent. Deloitte surveyed 300 senior tax
500
+ and finance leaders at companies across
501
+ a range of industries, sizes, and regions to
502
+ understand their future vision for the tax
503
+ function and how they plan to achieve that
504
+ vision. Deloitte also conducted a series
505
+ of qualitative one-on-one interviews with
506
+ senior tax executives at large multinational
507
+ companies to develop deeper insights into
508
+ their tax transformation activities.
509
+
510
+ ### Figure 8. Demographics
511
+
512
+ #### Revenue
513
+
514
+ | | |
515
+ | -------------------- | ---- |
516
+ | US$750M to 1B | 43% |
517
+ | US$1B to 5B | 28% |
518
+ | US$5B+ | 29% |
519
+
520
+ #### Industry
521
+
522
+ | Industry | Percentage |
523
+ | ----------------------------- | ---------- |
524
+ | Life Sciences & Health Care | 7% |
525
+ | Consumer | 35% |
526
+ | Financial Services | 13% |
527
+ | Technology, Media & Telecommunications | 16% |
528
+ | Energy, Resources, & Industrials | 29% |
529
+
530
+ #### Role
531
+
532
+ | Role | Percentage |
533
+ | ------- | ---------- |
534
+ | C-1 | 19% |
535
+ | C-2 | 35% |
536
+ | C-suite | 46% |
537
+ | Finance | 28% |
538
+ | Tax | 72% |
539
+
540
+ #### Headquarters Location
541
+
542
+ | Location | Percentage |
543
+ | --------------- | ---------- |
544
+ | Asia Pacific | 30% |
545
+ | Australia | 4% |
546
+ | Japan | 13% |
547
+ | China | 13% |
548
+ | United Kingdom | 18% |
549
+ | Europe | 39% |
550
+ | United States | 25% |
551
+ | North America | 31% |
552
+ | Canada | 6% |
553
+ | Belgium | 4% |
554
+ | Germany | 7% |
555
+ | Netherlands | 5% |
556
+ | Switzerland | 5% |
557
+
558
+ Survey sample size = 300
559
+ C-suite (e.g., CFO, CAO, CTaxO) = 137
560
+ C-1 (e.g., EVP, SVP of Tax or Finance) = 57
561
+ C-2 (e.g., Directors, VP, Head of
562
+ sub-division) = 106
563
+
564
+ --- end page 15
565
+
566
+ ## Contacts
567
+
568
+ Andy Gwyther
569
+ Deloitte Global Operate Leader, Tax & Legal
570
571
+
572
+ ### North America
573
+
574
+ Eric Peel
575
+ Tax Operate Leader
576
+ Deloitte Tax LLP (US)
577
578
+
579
+ Emily VanVleet
580
+ Tax Operate Leader
581
+ Deloitte Tax LLP (US)
582
583
+
584
+ Jeff Butt
585
+ Tax & Legal Operate Leader
586
+ Deloitte Canada
587
588
+
589
+ Arturo Camacho
590
+ Tax & Legal Operate Leader
591
+ Deloitte Spanish-LATAM
592
593
+
594
+ ### Europe, Middle East, Africa
595
+
596
+ Christophe De Waele
597
+ Tax & Legal Operate Leader
598
+ Deloitte North & South Europe
599
600
+
601
+ Ana Santiago Marques
602
+ Tax & Legal Operate Leader
603
+ Deloitte Central Europe
604
605
+
606
+ Patrick Earlam
607
+ Tax & Legal Operate Leader
608
+ Deloitte Africa
609
610
+
611
+ ### Asia Pacific
612
+
613
+ Christopher Roberge
614
+ Tax Operate Leader
615
+ Deloitte Asia Pacific
616
617
+
618
+ Tax in a data-driven world | More regulations, more data, more technology 16
619
+
620
+ --- end page 16
621
+
622
+ ## Deloitte.
623
+
624
+ Deloitte refers to one or more of Deloitte Touche Tohmatsu Limited (DTTL), its global network of member firms, and their related entities (collectively, the "Deloitte organization"). DTTL (also
625
+ referred to as "Deloitte Global") and each of its member firms and related entities are legally separate and independent entities, which cannot obligate or bind each other in respect of third parties.
626
+ DTTL and each DTTL member firm and related entity is liable only for its own acts and omissions, and not those of each other. DTTL does not provide services to clients. Please see www.deloitte.
627
+ com/about to learn more.
628
+
629
+ Deloitte provides industry-leading audit and assurance, tax and legal, consulting, financial advisory, and risk advisory services to nearly 90% of the Fortune Global 500® and thousands of private
630
+ companies. Our people deliver measurable and lasting results that help reinforce public trust in capital markets, enable clients to transform and thrive, and lead the way toward a stronger
631
+ economy, a more equitable society, and a sustainable world. Building on its 175-plus year history, Deloitte spans more than 150 countries and territories. Learn how Deloitte's approximately
632
+ 457,000 people worldwide make an impact that matters at www.deloitte.com.
633
+
634
+ This communication contains general information only, and none of Deloitte Touche Tohmatsu Limited ("DTTL"), its global network of member firms or their related entities (collectively, the "Deloitte
635
+ organization") is, by means of this communication, rendering professional advice or services. Before making any decision or taking any action that may affect your finances or your business, you
636
+ should consult a qualified professional adviser.
637
+
638
+ No representations, warranties or undertakings (express or implied) are given as to the accuracy or completeness of the information in this communication, and none of DTTL, its member firms,
639
+ related entities, employees or agents shall be liable or responsible for any loss or damage whatsoever arising directly or indirectly in connection with any person relying on this communication.
640
+
641
+ 2024. For information, contact Deloitte Global.
642
+
643
+ Designed by CoRe Creative Services. RITM1606967
644
+
645
+ --- end page 17
646
+
data/cache/gx-iif-open-data.pdf.md ADDED
The diff for this file is too large to render. See raw diff
 
data/cache/gx-iif-open-data.pdf.reformatted.md ADDED
The diff for this file is too large to render. See raw diff
 
data/cache/life-sciences-smart-manufacturing-services-peak-matrix-assessment-2023.pdf.md ADDED
@@ -0,0 +1,513 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ Everest Group®
2
+
3
+ Everest Group Life Sciences Smart Manufacturing Services PEAK Matrix®
4
+ Assessment 2023
5
+
6
+ Focus on Deloitte
7
+ August 2023
8
+
9
+ Everest Group
10
+ PEAK
11
+ MATRIX®
12
+
13
+ Copyright © 2023 Everest Global, Inc.
14
+ This document has been licensed to Deloitte
15
+
16
+ --- end page 1
17
+
18
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
19
+
20
+ ## Introduction
21
+
22
+ Historically, the traditional manufacturing industry was primarily focused on designing standardized manufacturing procedures and managing labor and mechanical systems, but with the
23
+ emergence of Industry 4.0, technology adoption has become widespread across industries, unlocking numerous benefits. However, the life sciences industry has been slow in adopting
24
+ technology to modernize manufacturing setups. Nevertheless, the pandemic, regulatory frameworks, and the urge to achieve operational excellence are now driving the adoption of smart
25
+ manufacturing services.
26
+
27
+ Life sciences enterprises aim to unlock benefits such as cost optimization, increased productivity, visibility, and efficiency by investing in critical use cases, including digital twins, predictive
28
+ maintenance, etc. They are also exploring high-growth opportunities such as sustainable manufacturing, batch-to-continuous manufacturing, and manufacturing of personalized medicines.
29
+ As the industry experiences investments in smart manufacturing, service providers are taking on the role of end-to-end digital transformation partners by co-developing solutions to assist
30
+ enterprises in their digital journeys.
31
+
32
+ In the full report, we present an assessment of 16 life sciences service providers featured on the Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023.
33
+ The assessment is based on Everest Group's annual RFI process for the calendar year 2023, interactions with leading life sciences service providers, client reference checks, and an
34
+ ongoing analysis of the life sciences smart manufacturing services market.
35
+
36
+ The full report includes the profiles of the following 16 leading life sciences service providers featured on the Life Sciences Smart Manufacturing Services PEAK Matrix:
37
+ * Leaders: Accenture, Cognizant, Deloitte, HCLTech, and TCS
38
+ * Major Contenders: Capgemini, Tech Mahindra, LTIMindtree, Wipro, NTT DATA, Innova Solutions, Birlasoft, and Infosys
39
+ * Aspirants: Atos, HARMAN DTS, and NNIT
40
+
41
+ Scope of this report
42
+
43
+ ![Figure 1: Icons representing Geography (Global), Industry (Life sciences (biopharmaceuticals and medical devices)), and Services (Life sciences smart manufacturing services)](image_reference)
44
+
45
+
46
+ --- end page 2
47
+
48
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
49
+ Life Sciences Smart Manufacturing Services PEAK Matrix® characteristics
50
+
51
+ **Leaders**
52
+ Accenture, Cognizant, Deloitte, HCLTech, and TCS
53
+ - Leaders have positioned themselves as digital transformation partners for enterprises with end-to-end capabilities, and offer a balanced breadth of offerings across the life sciences
54
+ manufacturing value chain
55
+ - They demonstrate flexibility and innovation while pitching engagement models and commercial constructs, and possess a distinct talent pool specializing in the life sciences smart
56
+ manufacturing space
57
+ - There is a presence of a robust partnership ecosystem and investments aligned with the demand of the enterprises in the areas of digital twins, IoT-enabled analytics, cybersecurity, etc.,
58
+ as well as high-growth opportunity areas such as specialty drugs manufacturing, sustainable manufacturing, and batch-to-continuous manufacturing
59
+ - They showcase a clear future roadmap to better supplement their internal capabilities and fill in the gaps in their existing portfolio of services through the development of IP, CoEs, and
60
+ strategic initiatives
61
+
62
+ **Major Contenders**
63
+ Capgemini, Tech Mahindra, LTIMindtree, Wipro, NTT DATA, Innova Solutions, Birlasoft, and Infosys
64
+ - Major Contenders comprise a varied mix of midsize and large firms. They possess a relatively less balanced portfolio compared to Leaders and are inclined toward specialization in
65
+ certain specific areas of the value chain. Additionally, they offer limited solutions around high-growth opportunity areas such as specialty drugs manufacturing, sustainable
66
+ manufacturing, and batch-to-continuous manufacturing
67
+ - Major Contenders have shortcomings in certain areas of the manufacturing value chain; the prevalent approach to address smart manufacturing use cases is by harnessing
68
+ cross-industry intellectual property, talent, and partnerships
69
+ - They have substantiated their position within the mid-tier segment of clients by pursuing active client management and ramping up/down resources commensurate to the ask of buyers
70
+
71
+ **Aspirants**
72
+ Atos, HARMAN DTS, and NNIT
73
+ - When it comes to their services portfolio, Aspirants have restricted their focus to specific areas in the life sciences manufacturing value chain, with limited digital service capabilities
74
+ - They have a limited partnership ecosystem and place more focus on leveraging horizontal capabilities to cater to the needs of life sciences enterprises rather than developing
75
+ domain-specific services through CoEs and strategic alliances
76
+ - They have a dedicated focus on capturing the market share in the small and midsize buyer segment
77
+
78
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
79
+
80
+ 3
81
+
82
+ --- end page 3
83
+
84
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
85
+
86
+ # Everest Group PEAK Matrix®
87
+ Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023 |
88
+ Deloitte is positioned as a Leader
89
+
90
+ Everest Group Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 20231,2,3
91
+
92
+ ![Figure 1: Everest Group Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023. The image is a two-dimensional matrix. The X-axis is titled "Vision & capability - Measures ability to deliver services successfully". The Y-axis is titled "Market impact - Measures impact created in the market". Companies are positioned in the matrix, divided into four quadrants: Aspirants, Major Contenders, and Leaders. Deloitte is positioned as a Leader. Other companies include Accenture, TCS, HCLTech, Cognizant, Capgemini, Wipro, NTT DATA, LTIMindtree, Innova Solutions, Tech Mahindra, Birlasoft, NNIT, HARMAN DTS, and Atos.](image_reference)
93
+
94
+ * Leaders
95
+ * Major Contenders
96
+ * Aspirants
97
+
98
+ 1 Assessments for Atos, Capgemini, Infosys, and NTT DATA exclude provider inputs and are based on Everest Group's proprietary Transaction Intelligence (TI) database, provider public disclosures, and Everest Group's interactions with enterprise buyers
99
+ 2 Assessment for Birlasoft, HARMAN DTS, and NNIT is based on partial primary inputs (briefings only)
100
+ 3 The assessment of Atos is completed prior to its acquisition by Eviden
101
+ Confidentiality: Everest Group takes its confidentiality pledge very seriously. Any information we collect that is contract specific will only be presented back to the industry in an aggregated fashion
102
+ Source: Everest Group (2023)
103
+
104
+ --- end page 4
105
+
106
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
107
+
108
+ # Deloitte profile (page 1 of 6)
109
+
110
+ Overview
111
+
112
+ Company mission
113
+ Deloitte's Life Sciences Smart Manufacturing practice partners with life sciences enterprises in reimagining and
114
+ reconfiguring their value chains to ensure the reliable and efficient supply of affordable and accessible therapies
115
+ and medical products to the end customers, resulting in enhanced well-being of patients. It supports clients in
116
+ their digital transformation journey and pushes life sciences manufacturing into the next generation of digital
117
+ evolution. This is achieved through substantial investments in expanding global smart manufacturing
118
+ capabilities, fostering robust partnerships, developing proprietary IP-based assets, leveraging smart factory
119
+ technology, and nurturing talent.
120
+
121
+ Overview of the client base
122
+ Among its diverse customer base, Deloitte's life science smart manufacturing practice engages with the top 10
123
+ largest global pharmaceutical enterprises, top 10 largest BioTech enterprises, 9 out of the top 10 medical device
124
+ enterprises, and 18 out of the 21 largest life sciences enterprises.
125
+
126
+ [Table 1: Revenue by line of business¹]
127
+ | | Low (<10%) | Medium (10-35%) | High (>35%) |
128
+ | :-------------------- | :---------- | :--------------- | :----------- |
129
+ | Biopharmaceuticals | | | ■ |
130
+ | Medical devices | | | |
131
+ | Others | ■ | | |
132
+
133
+ [Table 2: Revenue by buyer size¹]
134
+ | | Low (<20%) | Medium (20-40%) | High (>40%) |
135
+ | :----------------------------------------- | :---------- | :--------------- | :----------- |
136
+ | Small (annual revenue <US$1 billion) | | ■ | |
137
+ | Midsize (annual revenue US$1-10 billion) | ■ | | |
138
+ | Large (annual revenue >US$10 billion) | | | ■ |
139
+
140
+ [Table 3: Revenue by geography¹]
141
+ | | Low (<15%) | Medium (15-40%) | High (>40%) |
142
+ | :-------------------- | :---------- | :--------------- | :----------- |
143
+ | North America | | | ■ |
144
+ | Rest of Europe | | | |
145
+ | United Kingdom | | ■ | |
146
+ | Asia Pacific | | | |
147
+ | Middle East & Africa | ■ | | |
148
+ | South America | | | ■ |
149
+
150
+ ¹ All the revenue components add up to a total of 100%
151
+
152
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
153
+
154
+ 5
155
+
156
+
157
+ --- end page 5
158
+
159
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
160
+ Deloitte profile (page 2 of 6)
161
+ Case studies
162
+ Case study 1
163
+ Transformation of Quality Management System (QMS) for a global
164
+ pharmaceutical manufacturer
165
+ Case study 2
166
+ NOT EXHAUSTIVE
167
+ Developing a global security standard for the manufacturing sites of a global
168
+ pharmaceutical enterprise
169
+
170
+ Business challenge
171
+ The client faced challenges with high costs of quality and the regulatory risks in managing compliance. It had
172
+ basic and disconnected platforms for quality processes, and lacked integration and traceability. To address
173
+ this, the client identified a QMS platform and set ambitious timelines to deploy multiple Quality System
174
+ Elements (QSEs) across more than five sites.
175
+
176
+ Solution
177
+ Deloitte assisted the client in their QMS transformation journey by assessing the current state of QSEs and
178
+ conducting a process design exercise. Additionally, it built solutions tailored to client requirements, including
179
+ customization with next-generation functionalities, performed detailed validation and system testing, and
180
+ supported the change management process through a training program strategy.
181
+
182
+ Impact
183
+ - Assisted the clients in realizing benefits worth US$30 million by eliminating non-value-added work, thereby
184
+ reducing overhead expenses
185
+ - Deployed more than 10 QSEs in 14 months across five manufacturing sites
186
+ - Ensured QMS process adoption for more than 700 employees globally
187
+ Business challenge
188
+ The client recognized the necessity of developing and implementing a global security standard across all
189
+ manufacturing and R&D sites to enhance the security maturity of Internet of Things (IoT), Industrial Control
190
+ Systems (ICS), and Operational Technology (OT).
191
+
192
+ Solution
193
+ Deloitte implemented a tailored OT cybersecurity framework, conducted detailed site security assessments,
194
+ and deployed monitoring solutions to enhance OT asset security monitoring, visibility, and situational
195
+ awareness. It also deployed threat intelligence and analytics for detecting OT cybersecurity threats and
196
+ established standards, communication plans, playbooks, and workflows for incident response and recovery.
197
+
198
+ Impact
199
+ - Deployed 14 OT security controls
200
+ - Remediated 42 manufacturing and R&D sites
201
+ - Identified and monitored more than 30,000 OT digital assets
202
+
203
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
204
+ 6
205
+
206
+ --- end page 6
207
+
208
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
209
+
210
+ # Deloitte profile (page 3 of 6)
211
+
212
+ # Offerings
213
+
214
+ NOT EXHAUSTIVE
215
+
216
+ Proprietary smart manufacturing solutions – such as IP, platforms, accelerators, and tools (representative list)
217
+
218
+ [Table 1: Proprietary smart manufacturing solutions]
219
+ | Solution | Details |
220
+ | --- | --- |
221
+ | Supply chain control tower platform | It is an end-to-end platform solution that assists clients by providing prescriptive insights, monitoring transaction-level data, and offering analytical capabilities across the manufacturing and supply chain processes. |
222
+ | CentralSight | It has the capabilities to effectively visualize a multi-tier deep supplier ecosystem, helping enterprises identify and address the associated risks within the ecosystem in a timely manner. |
223
+ | Smart factory capability compass | It is an application that assists clients in assessing the current manufacturing maturity and readiness of their sites for smart factory investments and initiatives. |
224
+ | CognitiveSpark for manufacturing | It is a cloud-based, Al-powered solution designed to assist biopharma and MedTech manufacturers with insights that help optimize manufacturing processes and improve product quality. |
225
+ | Turnkey IoT | It is a suite of pre-configured solution accelerators tailored to high-potential manufacturing use cases. |
226
+ | Managed Extended Detection and Response (MXDR) | It is a SaaS-based, modular cybersecurity solution designed to protect enterprises from internal and external cyber threats. |
227
+ | Greenlight | This is a decarbonization solution designed to achieve net-zero emissions. It includes a package of dashboard modules that can ingest Green House Gas (GHG) emissions and reduce project data, enabling clients to visualize and analyze their aggregate carbon footprint. |
228
+ | IDEA | It is an loT-based application that helps clients manage real-time energy consumption from different sources, combining the loT approach with traditional Energy Management Systems (EMS). |
229
+ | Digital IoT | It is a preconfigured Siemens MindSphere application that offers a cloud-based, open loT operating system connecting products, plants, systems, and machines. This application unifies data from Digital Product Lifecycle Management (DPLM), Data Acquisition and Management System (DAMS), Digital Manufacturing Execution System (DMES), and IoT systems onto an integrated dashboard, thereby enabling actionable insights. |
230
+
231
+ Everest Group Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
232
+
233
+ 7
234
+
235
+
236
+ --- end page 7
237
+
238
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
239
+
240
+ ## Deloitte profile (page 4 of 6)
241
+
242
+ ### Offerings
243
+
244
+ [Table 1: Proprietary smart manufacturing solutions – such as IP, platforms, accelerators, and tools (representative list)]
245
+ | Solution | Details |
246
+ | ----------- | ----------- |
247
+ | SupplyHorizon | It enables enterprises to proactively identify and mitigate supply chain issues. It leverages internal and external data, risk profiling, mitigation planning, persona-based visualizations, and Al to enable a visibility of multi-tier supply networks and sense any upcoming risks in order to mitigate disruptions. |
248
+ | Smart manufacturing platform | This is a platform solution that enables the comprehensive view of manufacturing operations across the organization with connected data from disparate systems to create dynamic data visualizations that provide useful insights and recommended actions. It assists in predictive analytics, quality analytics, planning and management, shop floor tracking and serialization, etc. |
249
+ | Supplier 360 | It is an end-to-end management solution that improves supplier relationships by consolidating data from various disparate sources to generate actionable insights on supplier performance, connecting stakeholders, and more. |
250
+
251
+ NOT EXHAUSTIVE
252
+
253
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
254
+
255
+
256
+ --- end page 8
257
+
258
+ Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
259
+ # Deloitte profile (page 5 of 6)
260
+ ## Recent developments
261
+
262
+ [Table 1: Key events - related to smart manufacturing services (representative list)]
263
+ | Event name | Type of event | Year | Details |
264
+ |---|---|---|---|
265
+ | Industrial data fabric | Alliance | 2023 | Forged a multi-party partnership with AWS, HighByte, and Element to help manufacturers connect, structure, and manage industrial data at scale through an open industrial data framework; supports Deloitte's smart manufacturing platform and services, offering data analytics, predictive insights, and faster time-to-value for manufacturers |
266
+ | Nubik | Acquisition | 2022 | Acquired to strengthen its presence and leadership in the Salesforce practice and firm up its relationships and offerings for mid-market clients; it will assist clients with advanced solutions in manufacturing and distribution |
267
+ | OCT Emissions Solutions | Acquisition | 2022 | Acquired to assist clients with an end-to-end offering across the climate change and decarbonization life cycle. It provides solutions for hydrogen, carbon sequestration and offsets, and carbon dioxide cleanup |
268
+ | AE Cloud Consultant | Acquisition | 2022 | Acquired to deploy front-end and back-end solutions for order management, production management, supply chain management, warehouse and fulfillment, procurement, etc., for enterprises |
269
+ | Smart factories spread across global locations | Investment | 2022 | The smart factories that are spread across the globe serve as an ecosystem of smart manufacturing capabilities built on advanced technologies such as loT, cybersecurity, and digital twins; also acts as a platform that brings together solution providers, technology innovators, and academic researchers to drive innovation |
270
+ | Check Point | Alliance | 2021 | Alliance with Check Point, a leading provider of cybersecurity solutions, to assist Deloitte in strengthening Industry 4.0 technologies by securing the enterprise manufacturing and supply chain infrastructure |
271
+ | Syncronic | Acquisition | 2021 | Acquired to enhance its supply chain practice in the Nordics region |
272
+ | aeCyberSolutions | Acquisition | 2021 | Acquired to strengthen its cybersecurity offerings |
273
+ | Digital Immunity | Alliance | 2020 | Alliance with Digital Immunity to leverage Deloitte's multiple OT lab environments, such as the Smart Factory in Wichita, to accelerate deployment testing by utilizing configuration and deployment guidelines from the lab environment |
274
+ | Nozomi | Alliance | 2020 | Alliance with Nozomi Networks to deliver IT, OT, and IoT security services in the EMEA region. This collaboration aims to assist enterprises in enhancing their threat detection capabilities and implementing effective cyber risk solutions |
275
+ | Beelogix | Acquisition | 2019 | Acquired to expand its capabilities and leadership in SAP digital supply chain solution |
276
+
277
+ --- end page 9
278
+
279
+ Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
280
+ # Deloitte profile (page 6 of 6)
281
+ # Everest Group assessment – Leader
282
+
283
+ Measure of capability: Low High
284
+
285
+ ## Market impact
286
+ | Market | Portfolio | Value | Overall | Vision and | Scope of | Vision & capability | Innovation and | Delivery | Overall |
287
+ | :------- | :--------- | :-------- | :-------- | :--------- | :---------- | :------------------ | :-------------- | :--------- | :------- |
288
+ | adoption | mix | delivered | | strategy | services offered | | investments | footprint | |
289
+
290
+ ## Strengths
291
+ * Deloitte has made substantial investments in developing manufacturing solutions
292
+ throughout the life sciences value chain, focusing on futuristic domain use cases such as
293
+ cell and gene therapy manufacturing and sustainable manufacturing. It is further
294
+ reinforced by its dedicated investments in building the Wichita smart factory, which
295
+ strengthens its capabilities in loT, cybersecurity, digital twins, robotics, etc.
296
+ * While clients highlight the premium pricing points, they acknowledge the innovative
297
+ commercial constructs offered by Deloitte and perceive the dollar value per service
298
+ provided to be better compared to peers
299
+ * Clients view Deloitte as a reliable strategic partner as it addresses both the existing and
300
+ emerging business problems, even by engaging third-party providers if necessary
301
+ * Clients appreciate the high quality of the talent deployed and the strong technical domain
302
+ knowledge they possess
303
+
304
+ ## Limitations
305
+ * Although clients appreciate the technical and domain expertise of the talent deployed,
306
+ they expect better attrition management to ensure seamless project delivery
307
+ * Deloitte's tendency to consistently agree with clients without conducting thorough
308
+ evaluations can reveal a lack of critical assessment and hinder their ability to make
309
+ decisions that align with the enterprise's expertise and best interests
310
+ * While clients appreciate Deloitte's strategic inputs, they look for better transparency and
311
+ alignment with the enterprise stakeholders
312
+
313
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
314
+ 10
315
+
316
+ --- end page 10
317
+
318
+ Appendix
319
+
320
+ Everest Group®
321
+ 11
322
+
323
+ --- end page 11
324
+
325
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
326
+ Everest Group PEAK Matrix® is a proprietary framework for assessment of
327
+ market impact and vision & capability
328
+
329
+ Everest Group PEAK Matrix
330
+
331
+ ![Figure 1: A matrix is shown with 'Market impact' as the vertical axis and 'Vision & capability' as the horizontal axis. The matrix is divided into four quadrants: Aspirants, Major Contenders, and Leaders. The arrow demonstrates the movement towards the top right of the matrix, indicating growth in both vision and market impact.](image.png)
332
+
333
+ --- end page 12
334
+
335
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
336
+ Services PEAK Matrix® evaluation dimensions
337
+
338
+ Measures impact created in the market –
339
+ captured through three subdimensions
340
+
341
+ Market adoption
342
+ Number of clients, revenue base,
343
+ YoY growth, and deal value/volume
344
+
345
+ Portfolio mix
346
+ Diversity of client/revenue base across
347
+ geographies and type of engagements
348
+
349
+ Value delivered
350
+ Value delivered to the client based
351
+ on customer feedback and
352
+ transformational impact
353
+
354
+ Market impact
355
+ Aspirants
356
+ Major Contenders
357
+ Leaders
358
+
359
+ Vision & capability
360
+ Measures ability to deliver services successfully.
361
+ This is captured through four subdimensions
362
+
363
+ ![Figure 1: The PEAK Matrix graph is plotted with "Market Impact" on the vertical axis and "Vision & Capability" on the horizontal axis. The graph is divided into three zones from left to right: Aspirants, Major Contenders, and Leaders. An arrow spans diagonally across the chart.](image_reference)
364
+
365
+ Vision and strategy
366
+ Vision for the client and itself; future
367
+ roadmap and strategy
368
+
369
+ Scope of services offered
370
+ Depth and breadth of services portfolio
371
+ across service subsegments/processes
372
+
373
+ Innovation and investments
374
+ Innovation and investment in the enabling
375
+ areas, e.g., technology IP, industry/domain
376
+ knowledge, innovative commercial
377
+ constructs, alliances, M&A, etc.
378
+
379
+ Delivery footprint
380
+ Delivery footprint and global sourcing mix
381
+
382
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
383
+ 13
384
+
385
+ --- end page 13
386
+
387
+ # FAQs
388
+
389
+ Does the PEAK Matrix® assessment incorporate any subjective criteria?
390
+ Everest Group's PEAK Matrix assessment takes an unbiased and fact-based approach that leverages provider / technology vendor RFIs and Everest Group's proprietary databases containing providers' deals
391
+ and operational capability information. In addition, we validate/fine-tune these results based on our market experience, buyer interaction, and provider/vendor briefings.
392
+
393
+ Is being a Major Contender or Aspirant on the PEAK Matrix, an unfavorable outcome?
394
+ No. The PEAK Matrix highlights and positions only the best-in-class providers / technology vendors in a particular space. There are a number of providers from the broader universe that are assessed and do
395
+ not make it to the PEAK Matrix at all. Therefore, being represented on the PEAK Matrix is itself a favorable recognition.
396
+
397
+ What other aspects of the PEAK Matrix assessment are relevant to buyers and providers other than the PEAK Matrix positioning?
398
+ A PEAK Matrix positioning is only one aspect of Everest Group's overall assessment. In addition to assigning a Leader, Major Contender, or Aspirant label, Everest Group highlights the distinctive capabilities
399
+ and unique attributes of all the providers assessed on the PEAK Matrix. The detailed metric-level assessment and associated commentary are helpful for buyers in selecting providers/vendors for their specific
400
+ requirements. They also help providers/vendors demonstrate their strengths in specific areas.
401
+
402
+ What are the incentives for buyers and providers to participate/provide input to PEAK Matrix research?
403
+ * Enterprise participants receive summary of key findings from the PEAK Matrix assessment
404
+ * For providers
405
+ - The RFI process is a vital way to help us keep current on capabilities; it forms the basis for our database – without participation, it is difficult to effectively match capabilities to buyer inquiries
406
+ - In addition, it helps the provider/vendor organization gain brand visibility through being in included in our research reports
407
+
408
+ What is the process for a provider / technology vendor to leverage its PEAK Matrix positioning?
409
+ * Providers/vendors can use their PEAK Matrix positioning or Star Performer rating in multiple ways including:
410
+ - Issue a press release declaring positioning; see our [citation policies](citation policies)
411
+ - Purchase a customized PEAK Matrix profile for circulation with clients, prospects, etc. The package includes the profile as well as quotes from Everest Group analysts, which can be used in PR
412
+ - Use PEAK Matrix badges for branding across communications (e-mail signatures, marketing brochures, credential packs, client presentations, etc.)
413
+ * The provider must obtain the requisite licensing and distribution rights for the above activities through an agreement with Everest Group; please contact your CD or [contact us](contact us)
414
+
415
+ Does the PEAK Matrix evaluation criteria change over a period of time?
416
+ PEAK Matrix assessments are designed to serve enterprises' current and future needs. Given the dynamic nature of the global services market and rampant disruption, the assessment criteria
417
+ are realigned as and when needed to reflect the current market reality and to serve enterprises' future expectations.
418
+
419
+ --- end page 14
420
+
421
+ # Everest Group®
422
+ With you on the journey
423
+
424
+ Everest Group is a leading research firm helping business leaders make confident decisions. We guide clients through
425
+ today's market challenges and strengthen their strategies by applying contextualized problem-solving to their unique
426
+ situations. This drives maximized operational and financial performance and transformative experiences. Our deep
427
+ expertise and tenacious research focused on technology, business processes, and engineering through the lenses of
428
+ talent, sustainability, and sourcing delivers precise and action-oriented guidance. Find further details and in-depth content
429
+ at www.everestgrp.com.
430
+
431
+ Stay connected
432
+
433
+ Dallas (Headquarters)
434
435
+ +1-214-451-3000
436
+
437
+ Bangalore
438
439
+ +91-80-61463500
440
+
441
+ Delhi
442
443
+ +91-124-496-1000
444
+
445
+ London
446
447
+ +44-207-129-1318
448
+
449
+ Toronto
450
451
+ +1-214-451-3000
452
+
453
+ Website
454
+ everestgrp.com
455
+
456
+ Social Media
457
+ * @EverestGroup
458
+ * in @Everest Group
459
+ * + @Everest Group
460
+ * @Everest Group
461
+
462
+ Blog
463
+ everestgrp.com/blog
464
+
465
+ This document is for informational purposes only, and it is being provided
466
+ "as is" and "as available" without any warranty of any kind, including any
467
+ warranties of completeness, adequacy, or fitness for a particular purpose.
468
+ Everest Group is not a legal or investment adviser; the contents of this
469
+ document should not be construed as legal, tax, or investment advice.
470
+ This document should not be used as a substitute for consultation with
471
+ professional advisors, and Everest Group disclaims liability for any
472
+ actions or decisions not to act that are taken as a result of any material
473
+ in this publication.
474
+
475
+ NOTICE AND DISCLAIMERS
476
+ IMPORTANT INFORMATION. PLEASE REVIEW THIS NOTICE CAREFULLY AND IN ITS ENTIRETY.
477
+ THROUGH YOUR ACCESS, YOU AGREE TO EVEREST GROUP'S TERMS OF USE.
478
+
479
+ Everest Group's Terms of Use, available at www.everestgrp.com/terms-of-use/, is hereby incorporated by
480
+ reference as if fully reproduced herein. Parts of these terms are pasted below for convenience; please refer
481
+ to the link above for the full version of the Terms of Use.
482
+
483
+ Everest Group is not registered as an investment adviser or research analyst with the U.S. Securities and
484
+ Exchange Commission, the Financial Industry Regulatory Authority (FINRA), or any state or foreign securities
485
+ regulatory authority. For the avoidance of doubt, Everest Group is not providing any advice concerning securities
486
+ as defined by the law or any regulatory entity or an analysis of equity securities as defined by the law or any
487
+ regulatory entity.
488
+
489
+ All Everest Group Products and/or Services are for informational purposes only and are provided “as is” without
490
+ any warranty of any kind. You understand and expressly agree that you assume the entire risk as to your use
491
+ and any reliance upon any Product or Service. Everest Group is not a legal, tax, financial, or investment advisor,
492
+ and nothing provided by Everest Group is legal, tax, financial, or investment advice. Nothing Everest Group
493
+ provides is an offer to sell or a solicitation of an offer to purchase any securities or instruments from any entity.
494
+ Nothing from Everest Group may be used or relied upon in evaluating the merits of any investment. Do not base
495
+ any investment decisions, in whole or part, on anything provided by Everest Group.
496
+
497
+ Products and/or Services represent research opinions or viewpoints, not representations or statements of fact.
498
+ Accessing, using, or receiving a grant of access to an Everest Group Product and/or Service does not constitute
499
+ any recommendation by Everest Group that recipient (1) take any action or refrain from taking any action or
500
+ (2) enter into a particular transaction. Nothing from Everest Group will be relied upon or interpreted as a promise
501
+ or representation as to past, present, or future performance of a business or a market. The information contained
502
+ in any Everest Group Product and/or Service is as of the date prepared, and Everest Group has no duty or
503
+ obligation to update or revise the information or documentation. Everest Group may have obtained information
504
+ that appears in its Products and/or Services from the parties mentioned therein, public sources, or third-party
505
+ sources, including information related to financials, estimates, and/or forecasts. Everest Group has not audited
506
+ such information and assumes no responsibility for independently verifying such information as Everest Group
507
+ has relied on such information being complete and accurate in all respects. Note, companies mentioned in
508
+ Products and/or Services may be customers of Everest Group or have interacted with Everest Group in some
509
+ other way, including, without limitation, participating in Everest Group research activities.
510
+
511
+
512
+ --- end page 15
513
+
data/cache/life-sciences-smart-manufacturing-services-peak-matrix-assessment-2023.pdf.reformatted.md ADDED
@@ -0,0 +1,513 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Everest Group® Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
2
+
3
+ Everest Group
4
+ PEAK
5
+ MATRIX®
6
+
7
+ Copyright © 2023 Everest Global, Inc.
8
+ This document has been licensed to Deloitte
9
+
10
+ --- end page 1
11
+
12
+ ## Introduction
13
+
14
+ Historically, the traditional manufacturing industry was primarily focused on designing standardized manufacturing procedures and managing labor and mechanical systems, but with the
15
+ emergence of Industry 4.0, technology adoption has become widespread across industries, unlocking numerous benefits. However, the life sciences industry has been slow in adopting
16
+ technology to modernize manufacturing setups. Nevertheless, the pandemic, regulatory frameworks, and the urge to achieve operational excellence are now driving the adoption of smart
17
+ manufacturing services.
18
+
19
+ Life sciences enterprises aim to unlock benefits such as cost optimization, increased productivity, visibility, and efficiency by investing in critical use cases, including digital twins, predictive
20
+ maintenance, etc. They are also exploring high-growth opportunities such as sustainable manufacturing, batch-to-continuous manufacturing, and manufacturing of personalized medicines.
21
+ As the industry experiences investments in smart manufacturing, service providers are taking on the role of end-to-end digital transformation partners by co-developing solutions to assist
22
+ enterprises in their digital journeys.
23
+
24
+ In the full report, we present an assessment of 16 life sciences service providers featured on the Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023.
25
+ The assessment is based on Everest Group's annual RFI process for the calendar year 2023, interactions with leading life sciences service providers, client reference checks, and an
26
+ ongoing analysis of the life sciences smart manufacturing services market.
27
+
28
+ The full report includes the profiles of the following 16 leading life sciences service providers featured on the Life Sciences Smart Manufacturing Services PEAK Matrix:
29
+ * Leaders: Accenture, Cognizant, Deloitte, HCLTech, and TCS
30
+ * Major Contenders: Capgemini, Tech Mahindra, LTIMindtree, Wipro, NTT DATA, Innova Solutions, Birlasoft, and Infosys
31
+ * Aspirants: Atos, HARMAN DTS, and NNIT
32
+
33
+ Scope of this report
34
+
35
+ ![Figure 1: Icons representing Geography (Global), Industry (Life sciences (biopharmaceuticals and medical devices)), and Services (Life sciences smart manufacturing services)](image_reference)
36
+
37
+ --- end page 2
38
+
39
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
40
+
41
+ ## Life Sciences Smart Manufacturing Services PEAK Matrix® characteristics
42
+
43
+ ### Leaders
44
+ Accenture, Cognizant, Deloitte, HCLTech, and TCS
45
+ - Leaders have positioned themselves as digital transformation partners for enterprises with end-to-end capabilities, and offer a balanced breadth of offerings across the life sciences
46
+ manufacturing value chain
47
+ - They demonstrate flexibility and innovation while pitching engagement models and commercial constructs, and possess a distinct talent pool specializing in the life sciences smart
48
+ manufacturing space
49
+ - There is a presence of a robust partnership ecosystem and investments aligned with the demand of the enterprises in the areas of digital twins, IoT-enabled analytics, cybersecurity, etc.,
50
+ as well as high-growth opportunity areas such as specialty drugs manufacturing, sustainable manufacturing, and batch-to-continuous manufacturing
51
+ - They showcase a clear future roadmap to better supplement their internal capabilities and fill in the gaps in their existing portfolio of services through the development of IP, CoEs, and
52
+ strategic initiatives
53
+
54
+ ### Major Contenders
55
+ Capgemini, Tech Mahindra, LTIMindtree, Wipro, NTT DATA, Innova Solutions, Birlasoft, and Infosys
56
+ - Major Contenders comprise a varied mix of midsize and large firms. They possess a relatively less balanced portfolio compared to Leaders and are inclined toward specialization in
57
+ certain specific areas of the value chain. Additionally, they offer limited solutions around high-growth opportunity areas such as specialty drugs manufacturing, sustainable
58
+ manufacturing, and batch-to-continuous manufacturing
59
+ - Major Contenders have shortcomings in certain areas of the manufacturing value chain; the prevalent approach to address smart manufacturing use cases is by harnessing
60
+ cross-industry intellectual property, talent, and partnerships
61
+ - They have substantiated their position within the mid-tier segment of clients by pursuing active client management and ramping up/down resources commensurate to the ask of buyers
62
+
63
+ ### Aspirants
64
+ Atos, HARMAN DTS, and NNIT
65
+ - When it comes to their services portfolio, Aspirants have restricted their focus to specific areas in the life sciences manufacturing value chain, with limited digital service capabilities
66
+ - They have a limited partnership ecosystem and place more focus on leveraging horizontal capabilities to cater to the needs of life sciences enterprises rather than developing
67
+ domain-specific services through CoEs and strategic alliances
68
+ - They have a dedicated focus on capturing the market share in the small and midsize buyer segment
69
+
70
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
71
+
72
+ 3
73
+
74
+ --- end page 3
75
+
76
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
77
+
78
+ ## Everest Group PEAK Matrix®
79
+ Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023 |
80
+ Deloitte is positioned as a Leader
81
+
82
+ Everest Group Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 20231,2,3
83
+
84
+ ![Figure 1: Everest Group Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023. The image is a two-dimensional matrix. The X-axis is titled "Vision & capability - Measures ability to deliver services successfully". The Y-axis is titled "Market impact - Measures impact created in the market". Companies are positioned in the matrix, divided into four quadrants: Aspirants, Major Contenders, and Leaders. Deloitte is positioned as a Leader. Other companies include Accenture, TCS, HCLTech, Cognizant, Capgemini, Wipro, NTT DATA, LTIMindtree, Innova Solutions, Tech Mahindra, Birlasoft, NNIT, HARMAN DTS, and Atos.](image_reference)
85
+
86
+ * Leaders
87
+ * Major Contenders
88
+ * Aspirants
89
+
90
+ 1 Assessments for Atos, Capgemini, Infosys, and NTT DATA exclude provider inputs and are based on Everest Group's proprietary Transaction Intelligence (TI) database, provider public disclosures, and Everest Group's interactions with enterprise buyers
91
+ 2 Assessment for Birlasoft, HARMAN DTS, and NNIT is based on partial primary inputs (briefings only)
92
+ 3 The assessment of Atos is completed prior to its acquisition by Eviden
93
+ Confidentiality: Everest Group takes its confidentiality pledge very seriously. Any information we collect that is contract specific will only be presented back to the industry in an aggregated fashion
94
+ Source: Everest Group (2023)
95
+
96
+ --- end page 4
97
+
98
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
99
+
100
+ ## Deloitte profile (page 1 of 6)
101
+
102
+ ### Overview
103
+
104
+ #### Company mission
105
+ Deloitte's Life Sciences Smart Manufacturing practice partners with life sciences enterprises in reimagining and
106
+ reconfiguring their value chains to ensure the reliable and efficient supply of affordable and accessible therapies
107
+ and medical products to the end customers, resulting in enhanced well-being of patients. It supports clients in
108
+ their digital transformation journey and pushes life sciences manufacturing into the next generation of digital
109
+ evolution. This is achieved through substantial investments in expanding global smart manufacturing
110
+ capabilities, fostering robust partnerships, developing proprietary IP-based assets, leveraging smart factory
111
+ technology, and nurturing talent.
112
+
113
+ #### Overview of the client base
114
+ Among its diverse customer base, Deloitte's life science smart manufacturing practice engages with the top 10
115
+ largest global pharmaceutical enterprises, top 10 largest BioTech enterprises, 9 out of the top 10 medical device
116
+ enterprises, and 18 out of the 21 largest life sciences enterprises.
117
+
118
+ #### Revenue Breakdown
119
+
120
+ [Table 1: Revenue by line of business¹]
121
+ | | Low (<10%) | Medium (10-35%) | High (>35%) |
122
+ | :-------------------- | :---------- | :--------------- | :----------- |
123
+ | Biopharmaceuticals | | | ■ |
124
+ | Medical devices | | | |
125
+ | Others | ■ | | |
126
+
127
+ [Table 2: Revenue by buyer size¹]
128
+ | | Low (<20%) | Medium (20-40%) | High (>40%) |
129
+ | :----------------------------------------- | :---------- | :--------------- | :----------- |
130
+ | Small (annual revenue <US$1 billion) | | ■ | |
131
+ | Midsize (annual revenue US$1-10 billion) | ■ | | |
132
+ | Large (annual revenue >US$10 billion) | | | ■ |
133
+
134
+ [Table 3: Revenue by geography¹]
135
+ | | Low (<15%) | Medium (15-40%) | High (>40%) |
136
+ | :-------------------- | :---------- | :--------------- | :----------- |
137
+ | North America | | | ■ |
138
+ | Rest of Europe | | | |
139
+ | United Kingdom | | ■ | |
140
+ | Asia Pacific | | | |
141
+ | Middle East & Africa | ■ | | |
142
+ | South America | | | ■ |
143
+
144
+ ¹ All the revenue components add up to a total of 100%
145
+
146
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
147
+
148
+ 5
149
+
150
+ --- end page 5
151
+
152
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
153
+
154
+ ## Deloitte profile (page 2 of 6)
155
+
156
+ ### Case studies
157
+
158
+ #### Case study 1
159
+ Transformation of Quality Management System (QMS) for a global
160
+ pharmaceutical manufacturer
161
+
162
+ Business challenge
163
+ The client faced challenges with high costs of quality and the regulatory risks in managing compliance. It had
164
+ basic and disconnected platforms for quality processes, and lacked integration and traceability. To address
165
+ this, the client identified a QMS platform and set ambitious timelines to deploy multiple Quality System
166
+ Elements (QSEs) across more than five sites.
167
+
168
+ Solution
169
+ Deloitte assisted the client in their QMS transformation journey by assessing the current state of QSEs and
170
+ conducting a process design exercise. Additionally, it built solutions tailored to client requirements, including
171
+ customization with next-generation functionalities, performed detailed validation and system testing, and
172
+ supported the change management process through a training program strategy.
173
+
174
+ Impact
175
+ - Assisted the clients in realizing benefits worth US$30 million by eliminating non-value-added work, thereby
176
+ reducing overhead expenses
177
+ - Deployed more than 10 QSEs in 14 months across five manufacturing sites
178
+ - Ensured QMS process adoption for more than 700 employees globally
179
+
180
+ #### Case study 2
181
+ NOT EXHAUSTIVE
182
+ Developing a global security standard for the manufacturing sites of a global
183
+ pharmaceutical enterprise
184
+
185
+ Business challenge
186
+ The client recognized the necessity of developing and implementing a global security standard across all
187
+ manufacturing and R&D sites to enhance the security maturity of Internet of Things (IoT), Industrial Control
188
+ Systems (ICS), and Operational Technology (OT).
189
+
190
+ Solution
191
+ Deloitte implemented a tailored OT cybersecurity framework, conducted detailed site security assessments,
192
+ and deployed monitoring solutions to enhance OT asset security monitoring, visibility, and situational
193
+ awareness. It also deployed threat intelligence and analytics for detecting OT cybersecurity threats and
194
+ established standards, communication plans, playbooks, and workflows for incident response and recovery.
195
+
196
+ Impact
197
+ - Deployed 14 OT security controls
198
+ - Remediated 42 manufacturing and R&D sites
199
+ - Identified and monitored more than 30,000 OT digital assets
200
+
201
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
202
+ 6
203
+
204
+ --- end page 6
205
+
206
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
207
+
208
+ ## Deloitte profile (page 3 of 6)
209
+
210
+ ### Offerings
211
+
212
+ NOT EXHAUSTIVE
213
+
214
+ Proprietary smart manufacturing solutions – such as IP, platforms, accelerators, and tools (representative list)
215
+
216
+ [Table 1: Proprietary smart manufacturing solutions]
217
+ | Solution | Details |
218
+ | --- | --- |
219
+ | Supply chain control tower platform | It is an end-to-end platform solution that assists clients by providing prescriptive insights, monitoring transaction-level data, and offering analytical capabilities across the manufacturing and supply chain processes. |
220
+ | CentralSight | It has the capabilities to effectively visualize a multi-tier deep supplier ecosystem, helping enterprises identify and address the associated risks within the ecosystem in a timely manner. |
221
+ | Smart factory capability compass | It is an application that assists clients in assessing the current manufacturing maturity and readiness of their sites for smart factory investments and initiatives. |
222
+ | CognitiveSpark for manufacturing | It is a cloud-based, Al-powered solution designed to assist biopharma and MedTech manufacturers with insights that help optimize manufacturing processes and improve product quality. |
223
+ | Turnkey IoT | It is a suite of pre-configured solution accelerators tailored to high-potential manufacturing use cases. |
224
+ | Managed Extended Detection and Response (MXDR) | It is a SaaS-based, modular cybersecurity solution designed to protect enterprises from internal and external cyber threats. |
225
+ | Greenlight | This is a decarbonization solution designed to achieve net-zero emissions. It includes a package of dashboard modules that can ingest Green House Gas (GHG) emissions and reduce project data, enabling clients to visualize and analyze their aggregate carbon footprint. |
226
+ | IDEA | It is an loT-based application that helps clients manage real-time energy consumption from different sources, combining the loT approach with traditional Energy Management Systems (EMS). |
227
+ | Digital IoT | It is a preconfigured Siemens MindSphere application that offers a cloud-based, open loT operating system connecting products, plants, systems, and machines. This application unifies data from Digital Product Lifecycle Management (DPLM), Data Acquisition and Management System (DAMS), Digital Manufacturing Execution System (DMES), and IoT systems onto an integrated dashboard, thereby enabling actionable insights. |
228
+
229
+ Everest Group Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
230
+
231
+ 7
232
+
233
+ --- end page 7
234
+
235
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
236
+
237
+ ## Deloitte profile (page 4 of 6)
238
+
239
+ ### Offerings
240
+
241
+ [Table 1: Proprietary smart manufacturing solutions – such as IP, platforms, accelerators, and tools (representative list)]
242
+ | Solution | Details |
243
+ | ----------- | ----------- |
244
+ | SupplyHorizon | It enables enterprises to proactively identify and mitigate supply chain issues. It leverages internal and external data, risk profiling, mitigation planning, persona-based visualizations, and Al to enable a visibility of multi-tier supply networks and sense any upcoming risks in order to mitigate disruptions. |
245
+ | Smart manufacturing platform | This is a platform solution that enables the comprehensive view of manufacturing operations across the organization with connected data from disparate systems to create dynamic data visualizations that provide useful insights and recommended actions. It assists in predictive analytics, quality analytics, planning and management, shop floor tracking and serialization, etc. |
246
+ | Supplier 360 | It is an end-to-end management solution that improves supplier relationships by consolidating data from various disparate sources to generate actionable insights on supplier performance, connecting stakeholders, and more. |
247
+
248
+ NOT EXHAUSTIVE
249
+
250
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
251
+
252
+ --- end page 8
253
+
254
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
255
+
256
+ ## Deloitte profile (page 5 of 6)
257
+
258
+ ### Recent developments
259
+
260
+ [Table 1: Key events - related to smart manufacturing services (representative list)]
261
+ | Event name | Type of event | Year | Details |
262
+ |---|---|---|---|
263
+ | Industrial data fabric | Alliance | 2023 | Forged a multi-party partnership with AWS, HighByte, and Element to help manufacturers connect, structure, and manage industrial data at scale through an open industrial data framework; supports Deloitte's smart manufacturing platform and services, offering data analytics, predictive insights, and faster time-to-value for manufacturers |
264
+ | Nubik | Acquisition | 2022 | Acquired to strengthen its presence and leadership in the Salesforce practice and firm up its relationships and offerings for mid-market clients; it will assist clients with advanced solutions in manufacturing and distribution |
265
+ | OCT Emissions Solutions | Acquisition | 2022 | Acquired to assist clients with an end-to-end offering across the climate change and decarbonization life cycle. It provides solutions for hydrogen, carbon sequestration and offsets, and carbon dioxide cleanup |
266
+ | AE Cloud Consultant | Acquisition | 2022 | Acquired to deploy front-end and back-end solutions for order management, production management, supply chain management, warehouse and fulfillment, procurement, etc., for enterprises |
267
+ | Smart factories spread across global locations | Investment | 2022 | The smart factories that are spread across the globe serve as an ecosystem of smart manufacturing capabilities built on advanced technologies such as loT, cybersecurity, and digital twins; also acts as a platform that brings together solution providers, technology innovators, and academic researchers to drive innovation |
268
+ | Check Point | Alliance | 2021 | Alliance with Check Point, a leading provider of cybersecurity solutions, to assist Deloitte in strengthening Industry 4.0 technologies by securing the enterprise manufacturing and supply chain infrastructure |
269
+ | Syncronic | Acquisition | 2021 | Acquired to enhance its supply chain practice in the Nordics region |
270
+ | aeCyberSolutions | Acquisition | 2021 | Acquired to strengthen its cybersecurity offerings |
271
+ | Digital Immunity | Alliance | 2020 | Alliance with Digital Immunity to leverage Deloitte's multiple OT lab environments, such as the Smart Factory in Wichita, to accelerate deployment testing by utilizing configuration and deployment guidelines from the lab environment |
272
+ | Nozomi | Alliance | 2020 | Alliance with Nozomi Networks to deliver IT, OT, and IoT security services in the EMEA region. This collaboration aims to assist enterprises in enhancing their threat detection capabilities and implementing effective cyber risk solutions |
273
+ | Beelogix | Acquisition | 2019 | Acquired to expand its capabilities and leadership in SAP digital supply chain solution |
274
+
275
+ --- end page 9
276
+
277
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
278
+
279
+ ## Deloitte profile (page 6 of 6)
280
+
281
+ ### Everest Group assessment – Leader
282
+
283
+ Measure of capability: Low High
284
+
285
+ ## Market impact
286
+ | Market | Portfolio | Value | Overall | Vision and | Scope of | Vision & capability | Innovation and | Delivery | Overall |
287
+ | :------- | :--------- | :-------- | :-------- | :--------- | :---------- | :------------------ | :-------------- | :--------- | :------- |
288
+ | adoption | mix | delivered | | strategy | services offered | | investments | footprint | |
289
+
290
+ ### Strengths
291
+ * Deloitte has made substantial investments in developing manufacturing solutions
292
+ throughout the life sciences value chain, focusing on futuristic domain use cases such as
293
+ cell and gene therapy manufacturing and sustainable manufacturing. It is further
294
+ reinforced by its dedicated investments in building the Wichita smart factory, which
295
+ strengthens its capabilities in loT, cybersecurity, digital twins, robotics, etc.
296
+ * While clients highlight the premium pricing points, they acknowledge the innovative
297
+ commercial constructs offered by Deloitte and perceive the dollar value per service
298
+ provided to be better compared to peers
299
+ * Clients view Deloitte as a reliable strategic partner as it addresses both the existing and
300
+ emerging business problems, even by engaging third-party providers if necessary
301
+ * Clients appreciate the high quality of the talent deployed and the strong technical domain
302
+ knowledge they possess
303
+
304
+ ### Limitations
305
+ * Although clients appreciate the technical and domain expertise of the talent deployed,
306
+ they expect better attrition management to ensure seamless project delivery
307
+ * Deloitte's tendency to consistently agree with clients without conducting thorough
308
+ evaluations can reveal a lack of critical assessment and hinder their ability to make
309
+ decisions that align with the enterprise's expertise and best interests
310
+ * While clients appreciate Deloitte's strategic inputs, they look for better transparency and
311
+ alignment with the enterprise stakeholders
312
+
313
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
314
+ 10
315
+
316
+ --- end page 10
317
+
318
+ ## Appendix
319
+
320
+ Everest Group®
321
+ 11
322
+
323
+ --- end page 11
324
+
325
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
326
+
327
+ ## Everest Group PEAK Matrix® is a proprietary framework for assessment of
328
+ market impact and vision & capability
329
+
330
+ Everest Group PEAK Matrix
331
+
332
+ ![Figure 1: A matrix is shown with 'Market impact' as the vertical axis and 'Vision & capability' as the horizontal axis. The matrix is divided into four quadrants: Aspirants, Major Contenders, and Leaders. The arrow demonstrates the movement towards the top right of the matrix, indicating growth in both vision and market impact.](image.png)
333
+
334
+ --- end page 12
335
+
336
+ # Life Sciences Smart Manufacturing Services PEAK Matrix® Assessment 2023
337
+
338
+ ## Services PEAK Matrix® evaluation dimensions
339
+
340
+ Measures impact created in the market –
341
+ captured through three subdimensions
342
+
343
+ Market adoption
344
+ Number of clients, revenue base,
345
+ YoY growth, and deal value/volume
346
+
347
+ Portfolio mix
348
+ Diversity of client/revenue base across
349
+ geographies and type of engagements
350
+
351
+ Value delivered
352
+ Value delivered to the client based
353
+ on customer feedback and
354
+ transformational impact
355
+
356
+ Market impact
357
+ Aspirants
358
+ Major Contenders
359
+ Leaders
360
+
361
+ Vision & capability
362
+ Measures ability to deliver services successfully.
363
+ This is captured through four subdimensions
364
+
365
+ ![Figure 1: The PEAK Matrix graph is plotted with "Market Impact" on the vertical axis and "Vision & Capability" on the horizontal axis. The graph is divided into three zones from left to right: Aspirants, Major Contenders, and Leaders. An arrow spans diagonally across the chart.](image_reference)
366
+
367
+ Vision and strategy
368
+ Vision for the client and itself; future
369
+ roadmap and strategy
370
+
371
+ Scope of services offered
372
+ Depth and breadth of services portfolio
373
+ across service subsegments/processes
374
+
375
+ Innovation and investments
376
+ Innovation and investment in the enabling
377
+ areas, e.g., technology IP, industry/domain
378
+ knowledge, innovative commercial
379
+ constructs, alliances, M&A, etc.
380
+
381
+ Delivery footprint
382
+ Delivery footprint and global sourcing mix
383
+
384
+ Everest Group® Proprietary © 2023, Everest Global, Inc. | this document has been licensed to Deloitte
385
+ 13
386
+
387
+ --- end page 13
388
+
389
+ ## FAQs
390
+
391
+ Does the PEAK Matrix® assessment incorporate any subjective criteria?
392
+ Everest Group's PEAK Matrix assessment takes an unbiased and fact-based approach that leverages provider / technology vendor RFIs and Everest Group's proprietary databases containing providers' deals
393
+ and operational capability information. In addition, we validate/fine-tune these results based on our market experience, buyer interaction, and provider/vendor briefings.
394
+
395
+ Is being a Major Contender or Aspirant on the PEAK Matrix, an unfavorable outcome?
396
+ No. The PEAK Matrix highlights and positions only the best-in-class providers / technology vendors in a particular space. There are a number of providers from the broader universe that are assessed and do
397
+ not make it to the PEAK Matrix at all. Therefore, being represented on the PEAK Matrix is itself a favorable recognition.
398
+
399
+ What other aspects of the PEAK Matrix assessment are relevant to buyers and providers other than the PEAK Matrix positioning?
400
+ A PEAK Matrix positioning is only one aspect of Everest Group's overall assessment. In addition to assigning a Leader, Major Contender, or Aspirant label, Everest Group highlights the distinctive capabilities
401
+ and unique attributes of all the providers assessed on the PEAK Matrix. The detailed metric-level assessment and associated commentary are helpful for buyers in selecting providers/vendors for their specific
402
+ requirements. They also help providers/vendors demonstrate their strengths in specific areas.
403
+
404
+ What are the incentives for buyers and providers to participate/provide input to PEAK Matrix research?
405
+ * Enterprise participants receive summary of key findings from the PEAK Matrix assessment
406
+ * For providers
407
+ - The RFI process is a vital way to help us keep current on capabilities; it forms the basis for our database – without participation, it is difficult to effectively match capabilities to buyer inquiries
408
+ - In addition, it helps the provider/vendor organization gain brand visibility through being in included in our research reports
409
+
410
+ What is the process for a provider / technology vendor to leverage its PEAK Matrix positioning?
411
+ * Providers/vendors can use their PEAK Matrix positioning or Star Performer rating in multiple ways including:
412
+ - Issue a press release declaring positioning; see our [citation policies](citation policies)
413
+ - Purchase a customized PEAK Matrix profile for circulation with clients, prospects, etc. The package includes the profile as well as quotes from Everest Group analysts, which can be used in PR
414
+ - Use PEAK Matrix badges for branding across communications (e-mail signatures, marketing brochures, credential packs, client presentations, etc.)
415
+ * The provider must obtain the requisite licensing and distribution rights for the above activities through an agreement with Everest Group; please contact your CD or [contact us](contact us)
416
+
417
+ Does the PEAK Matrix evaluation criteria change over a period of time?
418
+ PEAK Matrix assessments are designed to serve enterprises' current and future needs. Given the dynamic nature of the global services market and rampant disruption, the assessment criteria
419
+ are realigned as and when needed to reflect the current market reality and to serve enterprises' future expectations.
420
+
421
+ --- end page 14
422
+
423
+ ## Everest Group®
424
+ With you on the journey
425
+
426
+ Everest Group is a leading research firm helping business leaders make confident decisions. We guide clients through
427
+ today's market challenges and strengthen their strategies by applying contextualized problem-solving to their unique
428
+ situations. This drives maximized operational and financial performance and transformative experiences. Our deep
429
+ expertise and tenacious research focused on technology, business processes, and engineering through the lenses of
430
+ talent, sustainability, and sourcing delivers precise and action-oriented guidance. Find further details and in-depth content
431
+ at www.everestgrp.com.
432
+
433
+ ### Stay connected
434
+
435
+ Dallas (Headquarters)
436
437
+ +1-214-451-3000
438
+
439
+ Bangalore
440
441
+ +91-80-61463500
442
+
443
+ Delhi
444
445
+ +91-124-496-1000
446
+
447
+ London
448
449
+ +44-207-129-1318
450
+
451
+ Toronto
452
453
+ +1-214-451-3000
454
+
455
+ Website
456
+ everestgrp.com
457
+
458
+ Social Media
459
+ * @EverestGroup
460
+ * in @Everest Group
461
+ * + @Everest Group
462
+ * @Everest Group
463
+
464
+ Blog
465
+ everestgrp.com/blog
466
+
467
+ This document is for informational purposes only, and it is being provided
468
+ "as is" and "as available" without any warranty of any kind, including any
469
+ warranties of completeness, adequacy, or fitness for a particular purpose.
470
+ Everest Group is not a legal or investment adviser; the contents of this
471
+ document should not be construed as legal, tax, or investment advice.
472
+ This document should not be used as a substitute for consultation with
473
+ professional advisors, and Everest Group disclaims liability for any
474
+ actions or decisions not to act that are taken as a result of any material
475
+ in this publication.
476
+
477
+ NOTICE AND DISCLAIMERS
478
+ IMPORTANT INFORMATION. PLEASE REVIEW THIS NOTICE CAREFULLY AND IN ITS ENTIRETY.
479
+ THROUGH YOUR ACCESS, YOU AGREE TO EVEREST GROUP'S TERMS OF USE.
480
+
481
+ Everest Group's Terms of Use, available at www.everestgrp.com/terms-of-use/, is hereby incorporated by
482
+ reference as if fully reproduced herein. Parts of these terms are pasted below for convenience; please refer
483
+ to the link above for the full version of the Terms of Use.
484
+
485
+ Everest Group is not registered as an investment adviser or research analyst with the U.S. Securities and
486
+ Exchange Commission, the Financial Industry Regulatory Authority (FINRA), or any state or foreign securities
487
+ regulatory authority. For the avoidance of doubt, Everest Group is not providing any advice concerning securities
488
+ as defined by the law or any regulatory entity or an analysis of equity securities as defined by the law or any
489
+ regulatory entity.
490
+
491
+ All Everest Group Products and/or Services are for informational purposes only and are provided “as is” without
492
+ any warranty of any kind. You understand and expressly agree that you assume the entire risk as to your use
493
+ and any reliance upon any Product or Service. Everest Group is not a legal, tax, financial, or investment advisor,
494
+ and nothing provided by Everest Group is legal, tax, financial, or investment advice. Nothing Everest Group
495
+ provides is an offer to sell or a solicitation of an offer to purchase any securities or instruments from any entity.
496
+ Nothing from Everest Group may be used or relied upon in evaluating the merits of any investment. Do not base
497
+ any investment decisions, in whole or part, on anything provided by Everest Group.
498
+
499
+ Products and/or Services represent research opinions or viewpoints, not representations or statements of fact.
500
+ Accessing, using, or receiving a grant of access to an Everest Group Product and/or Service does not constitute
501
+ any recommendation by Everest Group that recipient (1) take any action or refrain from taking any action or
502
+ (2) enter into a particular transaction. Nothing from Everest Group will be relied upon or interpreted as a promise
503
+ or representation as to past, present, or future performance of a business or a market. The information contained
504
+ in any Everest Group Product and/or Service is as of the date prepared, and Everest Group has no duty or
505
+ obligation to update or revise the information or documentation. Everest Group may have obtained information
506
+ that appears in its Products and/or Services from the parties mentioned therein, public sources, or third-party
507
+ sources, including information related to financials, estimates, and/or forecasts. Everest Group has not audited
508
+ such information and assumes no responsibility for independently verifying such information as Everest Group
509
+ has relied on such information being complete and accurate in all respects. Note, companies mentioned in
510
+ Products and/or Services may be customers of Everest Group or have interacted with Everest Group in some
511
+ other way, including, without limitation, participating in Everest Group research activities.
512
+
513
+ --- end page 15
data/pdfs/2023-conocophillips-aim-presentation.pdf ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:eb9f681804edb827d90c3fe62c5e008f242012b49b2a1d16041796c6e882144b
3
+ size 41895745
data/pdfs/XC9500_CPLD_Family.pdf ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:7aeefefa751e6c12de98667cdb87fd049475beff43cc7f78522974db87a54694
3
+ size 201899
data/pdfs/deloitte-tech-risk-sector-banking.pdf ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:983748ff9207d8152d3fbbcfbb5e7361620537f3743bde2ebad1b4713da99b9d
3
+ size 144688
data/pdfs/dttl-tax-technology-report-2023.pdf ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:6d1132d8988a2d68eaaa1fe447fd73c752e540e2118d564624d54656dbe1a0c6
3
+ size 2733823
data/pdfs/gx-iif-open-data.pdf ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:e851d5ad806209e5fcd3e102445737e93804c7fb4613141b363877fef95db413
3
+ size 1522273
data/pdfs/life-sciences-smart-manufacturing-services-peak-matrix-assessment-2023.pdf ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:de8a238184a91a9c7e5b37c9437f5432419fb5c5f3cbd836fdf71821cb9863dc
3
+ size 681229
data/storage_metadata/processed_docstore_storage.json ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:fe6c80dbfb863e785909d1d4adcfdd4b9744cc6891305061da09f67816d04423
3
+ size 966216
requirements.txt CHANGED
@@ -1,6 +1,2 @@
1
- faicons
2
  shiny
3
- shinywidgets
4
- plotly
5
- pandas
6
- ridgeplot
 
 
1
  shiny
2
+ llama-index-core
 
 
 
shared.py DELETED
@@ -1,6 +0,0 @@
1
- from pathlib import Path
2
-
3
- import pandas as pd
4
-
5
- app_dir = Path(__file__).parent
6
- tips = pd.read_csv(app_dir / "tips.csv")
 
 
 
 
 
 
 
structure_parsers.py ADDED
@@ -0,0 +1,179 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ from collections import deque
2
+ from pathlib import Path
3
+ import logging
4
+ from typing import Iterator, Self
5
+ import re
6
+
7
+ from llama_index.core.schema import BaseNode
8
+
9
+ logger = logging.getLogger(__name__)
10
+
11
+ DOCUMENT_NODE_NUMBER: int = -1
12
+
13
+
14
+ class TreeNode:
15
+ def __init__(self, name: str, number: int | None = None):
16
+ self.name = name
17
+ self.number = number
18
+ self.children: list[Self] = []
19
+ self.parent: Self | None = None
20
+
21
+ def add_child(self, child: Self) -> None:
22
+ self.children.append(child)
23
+
24
+ def set_parent(self, parent: Self) -> None:
25
+ if self.parent is not None:
26
+ raise ValueError("parent has already been set")
27
+ else:
28
+ self.parent = parent
29
+
30
+ def remove_parent(self) -> None:
31
+ self.parent = None
32
+
33
+ def __str__(self, level: int = 0) -> str:
34
+ ret = " " * level + self.name
35
+ if self.number is not None:
36
+ ret += f" [{self.number}]"
37
+ ret += "\n"
38
+ for child in self.children:
39
+ ret += child.__str__(level + 1)
40
+ return ret
41
+
42
+ def bfs(self) -> Iterator[Self]:
43
+ """Perform Breadth-First traversal of the tree."""
44
+ queue = deque([self])
45
+ while queue:
46
+ node = queue.popleft()
47
+ yield node
48
+ queue.extend(node.children)
49
+
50
+ def remove_child(self, child: Self) -> bool:
51
+ if child in self.children:
52
+ child.remove_parent()
53
+ self.children.remove(child)
54
+ return True
55
+ return False
56
+
57
+ def __iter__(self):
58
+ return self.bfs()
59
+
60
+
61
+ def parse_landscape_structure(document: BaseNode) -> TreeNode:
62
+ page_pattern = re.compile(r"^-\s*Page\s+(\d+)\s*:\s*(.+)$")
63
+ header_pattern = re.compile(r"^(#+)\s+(.+)$")
64
+ format = document.metadata.get("format", "")
65
+ if format != "landscape":
66
+ raise ValueError(f"Unsupported format {format}")
67
+ number_pages = document.metadata.get("nb_pages", None)
68
+ structure = document.metadata.get("structure", "")
69
+ filename = document.metadata.get("filename", "")
70
+ assert number_pages and structure and filename
71
+ lines = structure.splitlines()
72
+ filestem = Path(filename).stem
73
+ root = TreeNode(name=filestem, number=DOCUMENT_NODE_NUMBER)
74
+ stack = [(root, 0)] # (node, level) pairs
75
+ abstract_node_number = DOCUMENT_NODE_NUMBER - 1
76
+ processed_page_numbers = set()
77
+ for line in lines:
78
+ line = line.strip()
79
+ if not line:
80
+ continue
81
+ # Check if it's a header
82
+ header_match = header_pattern.match(line)
83
+ if header_match:
84
+ level = len(header_match.group(1))
85
+ title = header_match.group(2).strip()
86
+ new_node = TreeNode(name=title, number=abstract_node_number)
87
+ abstract_node_number -= 1
88
+ # Adjust stack for header level
89
+ while stack and stack[-1][1] >= level:
90
+ stack.pop()
91
+ if stack:
92
+ stack[-1][0].add_child(new_node)
93
+ new_node.set_parent(stack[-1][0])
94
+ stack.append((new_node, level))
95
+ continue
96
+ # Check if it's a page entry
97
+ page_match = page_pattern.match(line)
98
+ if page_match:
99
+ page_num = int(page_match.group(1))
100
+ title = page_match.group(2).strip()
101
+ if page_num in processed_page_numbers:
102
+ logger.warning(f"Filename {filename} Page {page_num} already processed. Skipping {title}.")
103
+ elif page_num > number_pages:
104
+ logger.warning(
105
+ f"Filename {filename} Page number {page_num} is greater than the number of pages in the document. Skipping {title}."
106
+ )
107
+ else:
108
+ processed_page_numbers.add(page_num)
109
+ new_node = TreeNode(name=title, number=page_num)
110
+ # Add to last header in stack
111
+ if stack:
112
+ stack[-1][0].add_child(new_node)
113
+ new_node.set_parent(stack[-1][0])
114
+
115
+ leftout_page_numbers = set(range(1, number_pages + 1)) - processed_page_numbers
116
+ if leftout_page_numbers:
117
+ logger.warning(f"Filename {filename} Page numbers {leftout_page_numbers} are not processed.")
118
+ uncategorized_node = TreeNode(name="Uncategorized", number=abstract_node_number)
119
+ abstract_node_number -= 1
120
+ root.add_child(uncategorized_node)
121
+ uncategorized_node.set_parent(root)
122
+ for page_num in leftout_page_numbers:
123
+ new_node = TreeNode(name=f"Page number {page_num}", number=page_num)
124
+ uncategorized_node.add_child(new_node)
125
+ new_node.set_parent(uncategorized_node)
126
+
127
+ return root
128
+
129
+
130
+ def parse_portrait_structure(document: BaseNode) -> TreeNode:
131
+ header_pattern = re.compile(r"(#+)\s+(.*?)\s+\[line\s+(\d+)\]")
132
+ format = document.metadata.get("format", "")
133
+ if format != "portrait":
134
+ raise ValueError(f"Unsupported format {format}")
135
+ structure = document.metadata.get("structure", "")
136
+ filename = document.metadata.get("filename", "")
137
+ created_toc = document.metadata.get("created_toc", "")
138
+ assert structure and filename and created_toc
139
+ lines = structure.splitlines()
140
+ filestem = Path(filename).stem
141
+ root = TreeNode(name=filestem, number=DOCUMENT_NODE_NUMBER)
142
+ stack = [(root, 0)] # (node, level) pairs
143
+ processed_line_numbers = list()
144
+ for line in lines:
145
+ line = line.strip()
146
+ if not line:
147
+ continue
148
+ # Check if it's a header
149
+ header_match = header_pattern.match(line)
150
+ if header_match:
151
+ level = len(header_match.group(1))
152
+ title = header_match.group(2).strip()
153
+ line_number = int(header_match.group(3))
154
+ processed_line_numbers.append(line_number)
155
+ new_node = TreeNode(name=title, number=line_number)
156
+ # Adjust stack for header level
157
+ while stack and stack[-1][1] >= level:
158
+ stack.pop()
159
+ if stack:
160
+ stack[-1][0].add_child(new_node)
161
+ new_node.set_parent(stack[-1][0])
162
+ stack.append((new_node, level))
163
+ continue
164
+
165
+ assert processed_line_numbers[0] == 0 and all(
166
+ processed_line_numbers[i] <= processed_line_numbers[i + 1] for i in range(len(processed_line_numbers) - 1)
167
+ )
168
+ return root
169
+
170
+
171
+ def parse_structure(document: BaseNode) -> TreeNode:
172
+ format = document.metadata.get("format", "")
173
+ match format:
174
+ case "landscape":
175
+ return parse_landscape_structure(document)
176
+ case "portrait":
177
+ return parse_portrait_structure(document)
178
+ case _:
179
+ raise ValueError(f"Unsupported format {format}")
styles.css DELETED
@@ -1,12 +0,0 @@
1
- :root {
2
- --bslib-sidebar-main-bg: #f8f8f8;
3
- }
4
-
5
- .popover {
6
- --bs-popover-header-bg: #222;
7
- --bs-popover-header-color: #fff;
8
- }
9
-
10
- .popover .btn-close {
11
- filter: var(--bs-btn-close-white-filter);
12
- }
 
 
 
 
 
 
 
 
 
 
 
 
 
tips.csv DELETED
@@ -1,245 +0,0 @@
1
- total_bill,tip,sex,smoker,day,time,size
2
- 16.99,1.01,Female,No,Sun,Dinner,2
3
- 10.34,1.66,Male,No,Sun,Dinner,3
4
- 21.01,3.5,Male,No,Sun,Dinner,3
5
- 23.68,3.31,Male,No,Sun,Dinner,2
6
- 24.59,3.61,Female,No,Sun,Dinner,4
7
- 25.29,4.71,Male,No,Sun,Dinner,4
8
- 8.77,2.0,Male,No,Sun,Dinner,2
9
- 26.88,3.12,Male,No,Sun,Dinner,4
10
- 15.04,1.96,Male,No,Sun,Dinner,2
11
- 14.78,3.23,Male,No,Sun,Dinner,2
12
- 10.27,1.71,Male,No,Sun,Dinner,2
13
- 35.26,5.0,Female,No,Sun,Dinner,4
14
- 15.42,1.57,Male,No,Sun,Dinner,2
15
- 18.43,3.0,Male,No,Sun,Dinner,4
16
- 14.83,3.02,Female,No,Sun,Dinner,2
17
- 21.58,3.92,Male,No,Sun,Dinner,2
18
- 10.33,1.67,Female,No,Sun,Dinner,3
19
- 16.29,3.71,Male,No,Sun,Dinner,3
20
- 16.97,3.5,Female,No,Sun,Dinner,3
21
- 20.65,3.35,Male,No,Sat,Dinner,3
22
- 17.92,4.08,Male,No,Sat,Dinner,2
23
- 20.29,2.75,Female,No,Sat,Dinner,2
24
- 15.77,2.23,Female,No,Sat,Dinner,2
25
- 39.42,7.58,Male,No,Sat,Dinner,4
26
- 19.82,3.18,Male,No,Sat,Dinner,2
27
- 17.81,2.34,Male,No,Sat,Dinner,4
28
- 13.37,2.0,Male,No,Sat,Dinner,2
29
- 12.69,2.0,Male,No,Sat,Dinner,2
30
- 21.7,4.3,Male,No,Sat,Dinner,2
31
- 19.65,3.0,Female,No,Sat,Dinner,2
32
- 9.55,1.45,Male,No,Sat,Dinner,2
33
- 18.35,2.5,Male,No,Sat,Dinner,4
34
- 15.06,3.0,Female,No,Sat,Dinner,2
35
- 20.69,2.45,Female,No,Sat,Dinner,4
36
- 17.78,3.27,Male,No,Sat,Dinner,2
37
- 24.06,3.6,Male,No,Sat,Dinner,3
38
- 16.31,2.0,Male,No,Sat,Dinner,3
39
- 16.93,3.07,Female,No,Sat,Dinner,3
40
- 18.69,2.31,Male,No,Sat,Dinner,3
41
- 31.27,5.0,Male,No,Sat,Dinner,3
42
- 16.04,2.24,Male,No,Sat,Dinner,3
43
- 17.46,2.54,Male,No,Sun,Dinner,2
44
- 13.94,3.06,Male,No,Sun,Dinner,2
45
- 9.68,1.32,Male,No,Sun,Dinner,2
46
- 30.4,5.6,Male,No,Sun,Dinner,4
47
- 18.29,3.0,Male,No,Sun,Dinner,2
48
- 22.23,5.0,Male,No,Sun,Dinner,2
49
- 32.4,6.0,Male,No,Sun,Dinner,4
50
- 28.55,2.05,Male,No,Sun,Dinner,3
51
- 18.04,3.0,Male,No,Sun,Dinner,2
52
- 12.54,2.5,Male,No,Sun,Dinner,2
53
- 10.29,2.6,Female,No,Sun,Dinner,2
54
- 34.81,5.2,Female,No,Sun,Dinner,4
55
- 9.94,1.56,Male,No,Sun,Dinner,2
56
- 25.56,4.34,Male,No,Sun,Dinner,4
57
- 19.49,3.51,Male,No,Sun,Dinner,2
58
- 38.01,3.0,Male,Yes,Sat,Dinner,4
59
- 26.41,1.5,Female,No,Sat,Dinner,2
60
- 11.24,1.76,Male,Yes,Sat,Dinner,2
61
- 48.27,6.73,Male,No,Sat,Dinner,4
62
- 20.29,3.21,Male,Yes,Sat,Dinner,2
63
- 13.81,2.0,Male,Yes,Sat,Dinner,2
64
- 11.02,1.98,Male,Yes,Sat,Dinner,2
65
- 18.29,3.76,Male,Yes,Sat,Dinner,4
66
- 17.59,2.64,Male,No,Sat,Dinner,3
67
- 20.08,3.15,Male,No,Sat,Dinner,3
68
- 16.45,2.47,Female,No,Sat,Dinner,2
69
- 3.07,1.0,Female,Yes,Sat,Dinner,1
70
- 20.23,2.01,Male,No,Sat,Dinner,2
71
- 15.01,2.09,Male,Yes,Sat,Dinner,2
72
- 12.02,1.97,Male,No,Sat,Dinner,2
73
- 17.07,3.0,Female,No,Sat,Dinner,3
74
- 26.86,3.14,Female,Yes,Sat,Dinner,2
75
- 25.28,5.0,Female,Yes,Sat,Dinner,2
76
- 14.73,2.2,Female,No,Sat,Dinner,2
77
- 10.51,1.25,Male,No,Sat,Dinner,2
78
- 17.92,3.08,Male,Yes,Sat,Dinner,2
79
- 27.2,4.0,Male,No,Thur,Lunch,4
80
- 22.76,3.0,Male,No,Thur,Lunch,2
81
- 17.29,2.71,Male,No,Thur,Lunch,2
82
- 19.44,3.0,Male,Yes,Thur,Lunch,2
83
- 16.66,3.4,Male,No,Thur,Lunch,2
84
- 10.07,1.83,Female,No,Thur,Lunch,1
85
- 32.68,5.0,Male,Yes,Thur,Lunch,2
86
- 15.98,2.03,Male,No,Thur,Lunch,2
87
- 34.83,5.17,Female,No,Thur,Lunch,4
88
- 13.03,2.0,Male,No,Thur,Lunch,2
89
- 18.28,4.0,Male,No,Thur,Lunch,2
90
- 24.71,5.85,Male,No,Thur,Lunch,2
91
- 21.16,3.0,Male,No,Thur,Lunch,2
92
- 28.97,3.0,Male,Yes,Fri,Dinner,2
93
- 22.49,3.5,Male,No,Fri,Dinner,2
94
- 5.75,1.0,Female,Yes,Fri,Dinner,2
95
- 16.32,4.3,Female,Yes,Fri,Dinner,2
96
- 22.75,3.25,Female,No,Fri,Dinner,2
97
- 40.17,4.73,Male,Yes,Fri,Dinner,4
98
- 27.28,4.0,Male,Yes,Fri,Dinner,2
99
- 12.03,1.5,Male,Yes,Fri,Dinner,2
100
- 21.01,3.0,Male,Yes,Fri,Dinner,2
101
- 12.46,1.5,Male,No,Fri,Dinner,2
102
- 11.35,2.5,Female,Yes,Fri,Dinner,2
103
- 15.38,3.0,Female,Yes,Fri,Dinner,2
104
- 44.3,2.5,Female,Yes,Sat,Dinner,3
105
- 22.42,3.48,Female,Yes,Sat,Dinner,2
106
- 20.92,4.08,Female,No,Sat,Dinner,2
107
- 15.36,1.64,Male,Yes,Sat,Dinner,2
108
- 20.49,4.06,Male,Yes,Sat,Dinner,2
109
- 25.21,4.29,Male,Yes,Sat,Dinner,2
110
- 18.24,3.76,Male,No,Sat,Dinner,2
111
- 14.31,4.0,Female,Yes,Sat,Dinner,2
112
- 14.0,3.0,Male,No,Sat,Dinner,2
113
- 7.25,1.0,Female,No,Sat,Dinner,1
114
- 38.07,4.0,Male,No,Sun,Dinner,3
115
- 23.95,2.55,Male,No,Sun,Dinner,2
116
- 25.71,4.0,Female,No,Sun,Dinner,3
117
- 17.31,3.5,Female,No,Sun,Dinner,2
118
- 29.93,5.07,Male,No,Sun,Dinner,4
119
- 10.65,1.5,Female,No,Thur,Lunch,2
120
- 12.43,1.8,Female,No,Thur,Lunch,2
121
- 24.08,2.92,Female,No,Thur,Lunch,4
122
- 11.69,2.31,Male,No,Thur,Lunch,2
123
- 13.42,1.68,Female,No,Thur,Lunch,2
124
- 14.26,2.5,Male,No,Thur,Lunch,2
125
- 15.95,2.0,Male,No,Thur,Lunch,2
126
- 12.48,2.52,Female,No,Thur,Lunch,2
127
- 29.8,4.2,Female,No,Thur,Lunch,6
128
- 8.52,1.48,Male,No,Thur,Lunch,2
129
- 14.52,2.0,Female,No,Thur,Lunch,2
130
- 11.38,2.0,Female,No,Thur,Lunch,2
131
- 22.82,2.18,Male,No,Thur,Lunch,3
132
- 19.08,1.5,Male,No,Thur,Lunch,2
133
- 20.27,2.83,Female,No,Thur,Lunch,2
134
- 11.17,1.5,Female,No,Thur,Lunch,2
135
- 12.26,2.0,Female,No,Thur,Lunch,2
136
- 18.26,3.25,Female,No,Thur,Lunch,2
137
- 8.51,1.25,Female,No,Thur,Lunch,2
138
- 10.33,2.0,Female,No,Thur,Lunch,2
139
- 14.15,2.0,Female,No,Thur,Lunch,2
140
- 16.0,2.0,Male,Yes,Thur,Lunch,2
141
- 13.16,2.75,Female,No,Thur,Lunch,2
142
- 17.47,3.5,Female,No,Thur,Lunch,2
143
- 34.3,6.7,Male,No,Thur,Lunch,6
144
- 41.19,5.0,Male,No,Thur,Lunch,5
145
- 27.05,5.0,Female,No,Thur,Lunch,6
146
- 16.43,2.3,Female,No,Thur,Lunch,2
147
- 8.35,1.5,Female,No,Thur,Lunch,2
148
- 18.64,1.36,Female,No,Thur,Lunch,3
149
- 11.87,1.63,Female,No,Thur,Lunch,2
150
- 9.78,1.73,Male,No,Thur,Lunch,2
151
- 7.51,2.0,Male,No,Thur,Lunch,2
152
- 14.07,2.5,Male,No,Sun,Dinner,2
153
- 13.13,2.0,Male,No,Sun,Dinner,2
154
- 17.26,2.74,Male,No,Sun,Dinner,3
155
- 24.55,2.0,Male,No,Sun,Dinner,4
156
- 19.77,2.0,Male,No,Sun,Dinner,4
157
- 29.85,5.14,Female,No,Sun,Dinner,5
158
- 48.17,5.0,Male,No,Sun,Dinner,6
159
- 25.0,3.75,Female,No,Sun,Dinner,4
160
- 13.39,2.61,Female,No,Sun,Dinner,2
161
- 16.49,2.0,Male,No,Sun,Dinner,4
162
- 21.5,3.5,Male,No,Sun,Dinner,4
163
- 12.66,2.5,Male,No,Sun,Dinner,2
164
- 16.21,2.0,Female,No,Sun,Dinner,3
165
- 13.81,2.0,Male,No,Sun,Dinner,2
166
- 17.51,3.0,Female,Yes,Sun,Dinner,2
167
- 24.52,3.48,Male,No,Sun,Dinner,3
168
- 20.76,2.24,Male,No,Sun,Dinner,2
169
- 31.71,4.5,Male,No,Sun,Dinner,4
170
- 10.59,1.61,Female,Yes,Sat,Dinner,2
171
- 10.63,2.0,Female,Yes,Sat,Dinner,2
172
- 50.81,10.0,Male,Yes,Sat,Dinner,3
173
- 15.81,3.16,Male,Yes,Sat,Dinner,2
174
- 7.25,5.15,Male,Yes,Sun,Dinner,2
175
- 31.85,3.18,Male,Yes,Sun,Dinner,2
176
- 16.82,4.0,Male,Yes,Sun,Dinner,2
177
- 32.9,3.11,Male,Yes,Sun,Dinner,2
178
- 17.89,2.0,Male,Yes,Sun,Dinner,2
179
- 14.48,2.0,Male,Yes,Sun,Dinner,2
180
- 9.6,4.0,Female,Yes,Sun,Dinner,2
181
- 34.63,3.55,Male,Yes,Sun,Dinner,2
182
- 34.65,3.68,Male,Yes,Sun,Dinner,4
183
- 23.33,5.65,Male,Yes,Sun,Dinner,2
184
- 45.35,3.5,Male,Yes,Sun,Dinner,3
185
- 23.17,6.5,Male,Yes,Sun,Dinner,4
186
- 40.55,3.0,Male,Yes,Sun,Dinner,2
187
- 20.69,5.0,Male,No,Sun,Dinner,5
188
- 20.9,3.5,Female,Yes,Sun,Dinner,3
189
- 30.46,2.0,Male,Yes,Sun,Dinner,5
190
- 18.15,3.5,Female,Yes,Sun,Dinner,3
191
- 23.1,4.0,Male,Yes,Sun,Dinner,3
192
- 15.69,1.5,Male,Yes,Sun,Dinner,2
193
- 19.81,4.19,Female,Yes,Thur,Lunch,2
194
- 28.44,2.56,Male,Yes,Thur,Lunch,2
195
- 15.48,2.02,Male,Yes,Thur,Lunch,2
196
- 16.58,4.0,Male,Yes,Thur,Lunch,2
197
- 7.56,1.44,Male,No,Thur,Lunch,2
198
- 10.34,2.0,Male,Yes,Thur,Lunch,2
199
- 43.11,5.0,Female,Yes,Thur,Lunch,4
200
- 13.0,2.0,Female,Yes,Thur,Lunch,2
201
- 13.51,2.0,Male,Yes,Thur,Lunch,2
202
- 18.71,4.0,Male,Yes,Thur,Lunch,3
203
- 12.74,2.01,Female,Yes,Thur,Lunch,2
204
- 13.0,2.0,Female,Yes,Thur,Lunch,2
205
- 16.4,2.5,Female,Yes,Thur,Lunch,2
206
- 20.53,4.0,Male,Yes,Thur,Lunch,4
207
- 16.47,3.23,Female,Yes,Thur,Lunch,3
208
- 26.59,3.41,Male,Yes,Sat,Dinner,3
209
- 38.73,3.0,Male,Yes,Sat,Dinner,4
210
- 24.27,2.03,Male,Yes,Sat,Dinner,2
211
- 12.76,2.23,Female,Yes,Sat,Dinner,2
212
- 30.06,2.0,Male,Yes,Sat,Dinner,3
213
- 25.89,5.16,Male,Yes,Sat,Dinner,4
214
- 48.33,9.0,Male,No,Sat,Dinner,4
215
- 13.27,2.5,Female,Yes,Sat,Dinner,2
216
- 28.17,6.5,Female,Yes,Sat,Dinner,3
217
- 12.9,1.1,Female,Yes,Sat,Dinner,2
218
- 28.15,3.0,Male,Yes,Sat,Dinner,5
219
- 11.59,1.5,Male,Yes,Sat,Dinner,2
220
- 7.74,1.44,Male,Yes,Sat,Dinner,2
221
- 30.14,3.09,Female,Yes,Sat,Dinner,4
222
- 12.16,2.2,Male,Yes,Fri,Lunch,2
223
- 13.42,3.48,Female,Yes,Fri,Lunch,2
224
- 8.58,1.92,Male,Yes,Fri,Lunch,1
225
- 15.98,3.0,Female,No,Fri,Lunch,3
226
- 13.42,1.58,Male,Yes,Fri,Lunch,2
227
- 16.27,2.5,Female,Yes,Fri,Lunch,2
228
- 10.09,2.0,Female,Yes,Fri,Lunch,2
229
- 20.45,3.0,Male,No,Sat,Dinner,4
230
- 13.28,2.72,Male,No,Sat,Dinner,2
231
- 22.12,2.88,Female,Yes,Sat,Dinner,2
232
- 24.01,2.0,Male,Yes,Sat,Dinner,4
233
- 15.69,3.0,Male,Yes,Sat,Dinner,3
234
- 11.61,3.39,Male,No,Sat,Dinner,2
235
- 10.77,1.47,Male,No,Sat,Dinner,2
236
- 15.53,3.0,Male,Yes,Sat,Dinner,2
237
- 10.07,1.25,Male,No,Sat,Dinner,2
238
- 12.6,1.0,Male,Yes,Sat,Dinner,2
239
- 32.83,1.17,Male,Yes,Sat,Dinner,2
240
- 35.83,4.67,Female,No,Sat,Dinner,3
241
- 29.03,5.92,Male,No,Sat,Dinner,3
242
- 27.18,2.0,Female,Yes,Sat,Dinner,2
243
- 22.67,2.0,Male,Yes,Sat,Dinner,2
244
- 17.82,1.75,Male,No,Sat,Dinner,2
245
- 18.78,3.0,Female,No,Thur,Dinner,2