id stringlengths 1 6 | url stringlengths 16 1.82k | content stringlengths 37 9.64M |
|---|---|---|
190100 | https://www.geeksforgeeks.org/python/how-to-evaluate-an-algebraic-expression-in-sympy/ | How to evaluate an algebraic expression in Sympy?
Last Updated :
23 Jul, 2025
Suggest changes
Like Article
SymPy is a symbolic mathematics Python package. Its goal is to develop into a completely featured computer algebra system while keeping the code as basic as possible to make it understandable and extendable. An algebraic expression is an expression or statement that has been combined using operations like addition, subtraction, division, multiplication, modulus, etc... . for example 10x+2, etc... Let's demonstrate how to evaluate algebraic expressions in sympy with a few examples. evalf() function and subs() function from sympy is used to evaluate algebraic expressions.
Example 1:
In this example, we import symbols from sympy package. An expression is created and evalf() function is used to evaluate the expression. subs is a parameter in the function, where we pass in a dictionary of symbol mappings to values. In sympy float, precision is up to 15 digits by default. precision can be overridden up to 100 digits.
Python3
````
import packages
from sympy.abc import x, y ,z
creating an expression
expression = 4x+5y+6z
evaluating the expression
print(expression.evalf(subs={x:1,y:2,z:3}))
````
Output:
32.0000000000000
In this code, precision is set to 3 digits.
Python3
````
import packages
from sympy.abc import x, y ,z
creating an expression
expression = 4x+5y+6z
evaluating the expression
print(expression.evalf(3,subs={x:1,y:2,z:3}))
````
Output:
32.0
Example 2:
sympy also has built-in values like pi, which helps us solve numerical problems such as finding the circumference of a circle etc... . precision is set to 10 digits in this example.
Python3
````
import packages
from sympy.abc import
from sympy import pi
finding the circumference of a circle
expression = 2pir
evaluating the expression
print(expression.evalf(10,subs={r:2}))
````
Output:
12.56637061
Example 3:
In this example, we use the subs() function to substitute symbols with values, and it evaluates the algebraic expression given. 24 -42 +1 == 16-8+1 ==9.
Python3
````
import packages
from sympy.abc import
creating an expression
expression = 2x - 4y + z
substituting values in the expression
print(expression.subs([(x, 4), (y, 2), (z, 1)]))
````
Output:
9
S
sarahjane3102
Improve
Article Tags :
Python
Geeks Premier League
Geeks-Premier-League-2022
SymPy
Practice Tags :
python
Similar Reads
Python Fundamentals
Python Introduction
Python was created 1991 with focus on code readability and express concepts in fewer lines of code.Simple and readable syntax makes it beginner-friendly.Runs seamlessly on Windows, macOS and Linux.Includes libraries for tasks like web development, data analysis and machine learning.Variable types ar
3 min readInput and Output in Python
Understanding input and output operations is fundamental to Python programming. With the print() function, we can display output in various formats, while the input() function enables interaction with users by gathering input during program execution. Taking input in PythonPython's input() function
7 min readPython Variables
In Python, variables are used to store data that can be referenced and manipulated during program execution. A variable is essentially a name that is assigned to a value. Unlike many other programming languages, Python variables do not require explicit declaration of type. The type of the variable i
6 min readPython Operators
In Python programming, Operators in general are used to perform operations on values and variables. These are standard symbols used for logical and arithmetic operations. In this article, we will look into different types of Python operators. OPERATORS: These are the special symbols. Eg- + , , /,
6 min readPython Keywords
Keywords in Python are reserved words that have special meanings and serve specific purposes in the language syntax. Python keywords cannot be used as the names of variables, functions, and classes or any other identifier. Getting List of all Python keywordsWe can also get all the keyword names usin
2 min readPython Data Types
Python Data types are the classification or categorization of data items. It represents the kind of value that tells what operations can be performed on a particular data. Since everything is an object in Python programming, Python data types are classes and variables are instances (objects) of thes
9 min readConditional Statements in Python
Conditional statements in Python are used to execute certain blocks of code based on specific conditions. These statements help control the flow of a program, making it behave differently in different situations.If Conditional Statement in PythonIf statement is the simplest form of a conditional sta
6 min readLoops in Python - For, While and Nested Loops
Loops in Python are used to repeat actions efficiently. The main types are For loops (counting through items) and While loops (based on conditions). In this article, we will look at Python loops and understand their working with the help of examples. For Loop in PythonFor loops is used to iterate ov
9 min readPython Functions
Python Functions is a block of statements that does a specific task. The idea is to put some commonly or repeatedly done task together and make a function so that instead of writing the same code again and again for different inputs, we can do the function calls to reuse code contained in it over an
9 min readRecursion in Python
Recursion is a programming technique where a function calls itself either directly or indirectly to solve a problem by breaking it into smaller, simpler subproblems.In Python, recursion is especially useful for problems that can be divided into identical smaller tasks, such as mathematical calculati
6 min readPython Lambda Functions
Python Lambda Functions are anonymous functions means that the function is without a name. As we already know the def keyword is used to define a normal function in Python. Similarly, the lambda keyword is used to define an anonymous function in Python. In the example, we defined a lambda function(u
6 min read
Python Data Structures
[Python String
A string is a sequence of characters. Python treats anything inside quotes as a string. This includes letters, numbers, and symbols. Python has no character data type so single character is a string of length 1.Pythons = "GfG" print(s) # access 2nd char s1 = s + s # update print(s1) # printOut
6 min read]( Lists
In Python, a list is a built-in dynamic sized array (automatically grows and shrinks). We can store all types of items (including another list) in a list. Can contain duplicate items.Mutable : We can modify, replace or delete the items. Ordered : Maintains the order of elements based on how they are
6 min readPython Tuples
A tuple in Python is an immutable ordered collection of elements. Tuples are similar to lists, but unlike lists, they cannot be changed after their creation (i.e., they are immutable). Tuples can hold elements of different data types. The main characteristics of tuples are being ordered , heterogene
6 min readDictionaries in Python
Python dictionary is a data structure that stores the value in key: value pairs. Values in a dictionary can be of any data type and can be duplicated, whereas keys can't be repeated and must be immutable. Example: Here, The data is stored in key:value pairs in dictionaries, which makes it easier to
7 min readPython Sets
Python set is an unordered collection of multiple items having different datatypes. In Python, sets are mutable, unindexed and do not contain duplicates. The order of elements in a set is not preserved and can change.Creating a Set in PythonIn Python, the most basic and efficient method for creating
10 min readPython Arrays
Lists in Python are the most flexible and commonly used data structure for sequential storage. They are similar to arrays in other languages but with several key differences:Dynamic Typing: Python lists can hold elements of different types in the same list. We can have an integer, a string and even
9 min read[List Comprehension in Python
List comprehension is a concise and powerful way to create new lists by applying an expression to each item in an existing iterable (like a list, tuple or range). It helps you write clean, readable and efficient code compared to traditional loops.Syntax[expression for item in iterable if condition]P
4 min read](
Advanced Python
Python OOP Concepts
Object Oriented Programming is a fundamental concept in Python, empowering developers to build modular, maintainable, and scalable applications. OOPs is a way of organizing code that uses objects and classes to represent real-world entities and their behavior. In OOPs, object has attributes thing th
11 min readPython Exception Handling
Python Exception Handling handles errors that occur during the execution of a program. Exception handling allows to respond to the error, instead of crashing the running program. It enables you to catch and manage errors, making your code more robust and user-friendly. Let's look at an example:Handl
6 min readFile Handling in Python
File handling refers to the process of performing operations on a file, such as creating, opening, reading, writing and closing it through a programming interface. It involves managing the data flow between the program and the file system on the storage device, ensuring that data is handled safely a
4 min readPython Database Tutorial
Python being a high-level language provides support for various databases. We can connect and run queries for a particular database using Python and without writing raw queries in the terminal or shell of that particular database, we just need to have that database installed in our system.A database
4 min readPython MongoDB Tutorial
MongoDB is a popular NoSQL database designed to store and manage data flexibly and at scale. Unlike traditional relational databases that use tables and rows, MongoDB stores data as JSON-like documents using a format called BSON (Binary JSON). This document-oriented model makes it easy to handle com
2 min readPython MySQL
MySQL is a widely used open-source relational database for managing structured data. Integrating it with Python enables efficient data storage, retrieval and manipulation within applications. To work with MySQL in Python, we use MySQL Connector, a driver that enables seamless integration between the
9 min readPython Packages
Python packages are a way to organize and structure code by grouping related modules into directories. A package is essentially a folder that contains an __init__.py file and one or more Python files (modules). This organization helps manage and reuse code effectively, especially in larger projects.
12 min readPython Modules
Python Module is a file that contains built-in functions, classes,its and variables. There are many Python modules, each with its specific work.In this article, we will cover all about Python modules, such as How to create our own simple module, Import Python modules, From statements in Python, we c
7 min readPython DSA Libraries
Data Structures and Algorithms (DSA) serve as the backbone for efficient problem-solving and software development. Python, known for its simplicity and versatility, offers a plethora of libraries and packages that facilitate the implementation of various DSA concepts. In this article, we'll delve in
15 min readList of Python GUI Library and Packages
Graphical User Interfaces (GUIs) play a pivotal role in enhancing user interaction and experience. Python, known for its simplicity and versatility, has evolved into a prominent choice for building GUI applications. With the advent of Python 3, developers have been equipped with lots of tools and li
11 min read
Data Science with Python
NumPy Tutorial - Python Library
NumPy is a core Python library for numerical computing, built for handling large arrays and matrices efficiently.ndarray object €“ Stores homogeneous data in n-dimensional arrays for fast processing.Vectorized operations €“ Perform element-wise calculations without explicit loops.Broadcasting €“ Apply
3 min readPandas Tutorial
Pandas (stands for Python Data Analysis) is an open-source software library designed for data manipulation and analysis. Revolves around two primary Data structures: Series (1D) and DataFrame (2D)Built on top of NumPy, efficiently manages large datasets, offering tools for data cleaning, transformat
6 min readMatplotlib Tutorial
Matplotlib is an open-source visualization library for the Python programming language, widely used for creating static, animated and interactive plots. It provides an object-oriented API for embedding plots into applications using general-purpose GUI toolkits like Tkinter, Qt, GTK and wxPython. It
5 min readPython Seaborn Tutorial
Seaborn is a library mostly used for statistical plotting in Python. It is built on top of Matplotlib and provides beautiful default styles and color palettes to make statistical plots more attractive.In this tutorial, we will learn about Python Seaborn from basics to advance using a huge dataset of
15+ min readStatsModel Library- Tutorial
Statsmodels is a useful Python library for doing statistics and hypothesis testing. It provides tools for fitting various statistical models, performing tests and analyzing data. It is especially used for tasks in data science ,economics and other fields where understanding data is important. It is
4 min readLearning Model Building in Scikit-learn
Building machine learning models from scratch can be complex and time-consuming. Scikit-learn which is an open-source Python library which helps in making machine learning more accessible. It provides a straightforward, consistent interface for a variety of tasks like classification, regression, clu
8 min readTensorFlow Tutorial
TensorFlow is an open-source machine-learning framework developed by Google. It is written in Python, making it accessible and easy to understand. It is designed to build and train machine learning (ML) and deep learning models. It is highly scalable for both research and production.It supports CPUs
2 min readPyTorch Tutorial
PyTorch is an open-source deep learning framework designed to simplify the process of building neural networks and machine learning models. With its dynamic computation graph, PyTorch allows developers to modify the network€™s behavior in real-time, making it an excellent choice for both beginners an
7 min read
Web Development with Python
Flask Tutorial
Flask is a lightweight and powerful web framework for Python. It€™s often called a "micro-framework" because it provides the essentials for web development without unnecessary complexity. Unlike Django, which comes with built-in features like authentication and an admin panel, Flask keeps things mini
8 min readDjango Tutorial | Learn Django Framework
Django is a Python framework that simplifies web development by handling complex tasks for you. It follows the "Don't Repeat Yourself" (DRY) principle, promoting reusable components and making development faster. With built-in features like user authentication, database connections, and CRUD operati
10 min readDjango ORM - Inserting, Updating & Deleting Data
Django's Object-Relational Mapping (ORM) is one of the key features that simplifies interaction with the database. It allows developers to define their database schema in Python classes and manage data without writing raw SQL queries. The Django ORM bridges the gap between Python objects and databas
4 min readTemplating With Jinja2 in Flask
Flask is a lightweight WSGI framework that is built on Python programming. WSGI simply means Web Server Gateway Interface. Flask is widely used as a backend to develop a fully-fledged Website. And to make a sure website, templating is very important. Flask is supported by inbuilt template support na
6 min readDjango Templates
Templates are the third and most important part of Django's MVT Structure. A Django template is basically an HTML file that can also include CSS and JavaScript. The Django framework uses these templates to dynamically generate web pages that users interact with. Since Django primarily handles the ba
7 min readPython | Build a REST API using Flask
Prerequisite: Introduction to Rest API REST stands for REpresentational State Transfer and is an architectural style used in modern web development. It defines a set or rules/constraints for a web application to send and receive data. In this article, we will build a REST API in Python using the Fla
3 min readHow to Create a basic API using Django Rest Framework ?
Django REST Framework (DRF) is a powerful extension of Django that helps you build APIs quickly and easily. It simplifies exposing your Django models as RESTfulAPIs, which can be consumed by frontend apps, mobile clients or other services.Before creating an API, there are three main steps to underst
4 min read
Python Practice
Python Quiz
These Python quiz questions are designed to help you become more familiar with Python and test your knowledge across various topics. From Python basics to advanced concepts, these topic-specific quizzes offer a comprehensive way to practice and assess your understanding of Python concepts. These Pyt
3 min readPython Coding Practice
This collection of Python coding practice problems is designed to help you improve your overall programming skills in Python.The links below lead to different topic pages, each containing coding problems, and this page also includes links to quizzes. You need to log in first to write your code. Your
1 min readPython Interview Questions and Answers
Python is the most used language in top companies such as Intel, IBM, NASA, Pixar, Netflix, Facebook, JP Morgan Chase, Spotify and many more because of its simplicity and powerful libraries. To crack their Online Assessment and Interview Rounds as a Python developer, we need to master important Pyth
15+ min read
We use cookies to ensure you have the best browsing experience on our website. By using our site, you
acknowledge that you have read and understood our
Cookie Policy &
Privacy Policy
Improvement
Suggest Changes
Help us improve. Share your suggestions to enhance the article. Contribute your expertise and make a difference in the GeeksforGeeks portal.
Create Improvement
Enhance the article with your expertise. Contribute to the GeeksforGeeks community and help create better learning resources for all.
Suggest Changes
min 4 words, max Words Limit:1000
Thank You!
Your suggestions are valuable to us.
What kind of Experience do you want to share?
Interview Experiences
Admission Experiences
Career Journeys
Work Experiences
Campus Experiences
Competitive Exam Experiences |
190101 | https://blog.edgeautosport.com/detonation-vs-pre-ignition | Skip to main content
Search for topics or resources
Enter your search below and hit enter or click the search icon.
Close Search
Blog Categories
Shop All Parts
Sign In
Create an Account
My Account
My Favorites
(303) 268-2140
My Cart
Blog Categories
Honda
Ford
Mazda
Subaru
Projects
Honda
Civic 1.5T/Si 2016-current
Civic Type R 2017-current
Ford
Focus ST 2013-2018
Explorer ST 2020-current
Mazda
Mazdaspeed 3 2007-2013
Mazdaspeed 6 2006-2007
Subaru
WRX 2015-2021 (FA20)
WRX/STI 2008-2021 (EJ25)
Projects
Project FC3 - 2017 Civic Si Coupe
Shop All Parts
Engine
Intake
Exhaust
Turbocharger
Suspension
Drivetrain
Engine
Engine
Intake
Intake
Exhaust
Exhaust
Turbocharger
Turbocharger
Suspension
Suspension
Drivetrain
Drivetrain
« View All Posts
Detonation vs Pre-Ignition
April 13th, 2016
5 min read
By Alan Jackson
There are many ways to ruin a perfectly good engine, but today, I just want to talk about two of the most violent ones. Detonation and Pre-Ignition, often interchanged and/or used to describe the same thing, are actually quite different things that lead to similar outcomes. They are both referred to as abnormal combustion, and they are extremely bad for your engine. In order to better explain both Detonation and Pre-Ignition, I need to also explain normal combustion.
Normal Combustion:
Normal combustion is the burning of an air/fuel mixture in the combustion chamber. Normal combustion begins with the flame front originating at the spark plug and traveling outward evenly and steadily throughout the combustion chamber. It is very much like blowing up a balloon. As you blow, the balloon expands away from the source of air in a very controlled and even fashion. In a perfect world, the combustion event burns up all the air and fuel in the cylinder leaving none behind (this happens with a stoichiometric mixture of Lambda 1). The heat from the combustion event is transferred from the flame front to the piston, and from the piston to the cylinder wall, and from there into the coolant system. A common misconception about combustion is that there is an explosion involved. This simply isn’t true… Ideally, once the spark plug ignites the mixture, the flame fills the cylinder in a very quick, yet very controlled manner.
Detonation:
Definition:
Spontaneous combustion of the end-gas, or remaining air/fuel mixture in the chamber.
Detonation always comes after normal combustion has been started by the spark plug. Normal combustion expands out, but the gasses on the edge of the flame front compress and begin combusting spontaneously. This is likely caused by excess heat and pressure. The most important thing to remember about detonation though is that it occurs after the flame front has been initiated by the spark plug.
There are many factors that come together to create an ideal scenario for detonation to occur. While engine design and fuel octane plays a significant role, the most common causal factor is too much spark advance. Overly advanced ignition timing sets the burn off too soon allowing pressure to increase too quickly. This is a very high/very sharp pressure spike, and this is what often brings about engine damage.
As you can see in the image, the graph on the top has a smooth pressure profile and would be considered normal combustion. However, the bottom graph shows the pressure rising normally until the detonation even occurs after the spark. Then you see the large pressure spike from the abnormal combustion. This pressure spike causes the structure of the engine to resonate as if it were a tuning fork. This resonance is what gets picked up by the knock sensor and reported to the ECU.
Knock sensors are a big cause for concern among many enthusiast. Being able to see what they see with a monitoring device like the Cobb Tuning AccessPort gives people a window into what is going on with their engine at all times. This window allows you to see things that you normally wouldn’t ever notice or care about. I am asked very frequently about ongoing detonation that occurs at part throttle. Fortunately, detonation is not always destructive. Low levels of detonation occur all the time and can even be sustained for long periods without effecting damage. Part throttle knock is very normal in a variety of cars and, while sometimes it can be caused by actual detonation, in most cases it is just noise as the engine resonates at certain rpms. It will also manifest itself at shift points where the engine moves significantly between gear changes at WOT, and this should not be cause for concern. However, detonation does become a big cause for concern once you start operating at higher loads. If you are seeing significant knock at Wide Open Throttle (WOT), you should contact your tuner.
Damage:
There are a few main failures brought on by detonation. The lesser of the points of failure is pitting or abrasion on the piston crown. You will also see this pitting on exhaust valves as well since this is the hotter side of the cylinder with the air/fuel mixture cooling the intake side. The pitting looks as if the piston was hit with bird shot from a shot gun.
Another point of damage with detonation is the ring lands. Often times under the sharp pressure spikes, you will end up with crushed or broken ring lands. In less severe cases, you will still see broken rings. This is often the case with cast pistons as they were never meant to withstand those kind of cylinder pressures, especially such sudden and violent changes in pressure.
With detonation also comes heat. The pressure spikes break down the boundary layer of gas that quenches the flame front and keeps the relatively cool piston protected from the relatively hot combustion. As this boundary layer is broken down and more and more heat is absorbed into the piston, you will see deformation of the piston and cylinder wall scoring which inevitably leads to the need for a rebuilt engine. You will also see higher coolant temps because of this as well since the coolant system is having to do more work with the excess heat.
Indicators:
Higher levels of detonation are audible and will sound like quarters tapping on glass. You can’t really hear it in most new cars due to the insulated cabins, so when you do hear it, it is most likely a higher level of knock. If you have a tuning device which monitors knock retard, such as the Cobb Tuning Accesport, you are only seeing the engines response to perceived noise. It is a good idea to pay attention though as the engine, for whatever reason, is trying to save itself from something by reducing spark advance.
Pre-Ignition:
Definition:
Pre-Ignition is the ignition of the air/fuel mixture before the spark plug fires.
A pre-ignition combustion event looks something like this…
The fuel air mixture enters the combustion chamber as the piston is on its downward intake stroke. The piston then returns upward for the compression stroke. The more compressed the mixture is, the more difficult it is to ignite it, therefore, with the piston on the low side of the compression stroke, the mixture is actually easier to ignite than when it gets closer to Top Dead Center (TDC). A hot spot in the cylinder such as a glowing spark plug tip can ignite this low compression mixture very early, before the spark plug fires. Now the upward motion of the piston is fighting the combustion force that is expanding. This adds a tremendous amount of heat and load to the engine, and for this reason pre-ignition is responsible for much higher cylinder pressures than detonation. The pressure from pre-ignition is not rapid like it is with detonation. Instead, the pressure is very high and has a much longer duration.
Damage:
Damage from pre-ignition is much more severe and instantaneous than that from detonation. Typically, with pre-ignition, you will see holes melted in pistons, spark plugs melted away, and engine failure happens pretty much immediately.
Due to the longer duration of the heat and pressure bought on by pre-ignition, you will notice a lot more melted parts, whereas, with detonation, you get more parts that are just blown apart.
Indicators:
There are not really any early warning signs with pre-ignition. The best thing you can do to prevent it, is to make sure the engine is set up as well as it can be to minimize potential hot spots. From the OEM, cars come with appropriate spark plug heat ranges and everything setup to minimize/eliminate pre-ignition. So making sure you have the right spark plugs and the right gaps is important when doing plug swaps and adding more boost and therefore higher cylinder temps to your combustion chamber.
Topics:
Insider
Don't forget to share this post:
Related Articles
### Cobb Launches Honda Support
December 17th, 2023|5 min read
### Mods Not Likely to Void Your Warranty
November 13th, 2023|3 min read
### What should you look for in an Intercooler Core?
January 11th, 2023|3 min read
### 6 Unforgettable Auto Enthusiast Gift Ideas For 2021
December 3rd, 2021|2 min read
### Now Introducing... Our New AWD Dyno
July 25th, 2018|2 min read
### 6 Tips for Picking the Best Performance Parts
September 14th, 2017|7 min read
### How to Prepare for a Dyno Tune
January 5th, 2017|6 min read
### Understanding a Dyno Graph. Peak Numbers Aren’t the Whole Story…
August 25th, 2016|5 min read
### When Is A Turbo Too Big?
August 5th, 2016|3 min read
### When Do You Need A Bigger Intake?
June 23rd, 2016|5 min read
### The Magic of E85
May 19th, 2016|4 min read
### 5 Exhaust System Features To Consider
May 12th, 2016|4 min read
### Breaking Down Bushing Stiffness
March 10th, 2016|4 min read
### Dryflow vs Oiled Air Filters
March 10th, 2016|2 min read
### 4 Tips for a Longer Lasting Turbo
February 23rd, 2016|3 min read
### Methanol Injection - Risk or Reward?
February 18th, 2016|2 min read
### Anatomy of a Clutch
February 17th, 2016|4 min read
### It's All in the Name: Custom Performance Engineering
February 2nd, 2016|2 min read
### Tire Size and Wheel Offset – Decisions, Decisions
January 27th, 2016|8 min read
### E-Tuning for Dummies
January 25th, 2016|7 min read
### Catalytic Converters and Modifying, Making Sense of It All
January 15th, 2016|6 min read
### MazFest 2013
November 17th, 2015|1 min read
### Invidia Downpipe Installation – 2012 Subaru WRX
November 17th, 2015|3 min read
### Choosing the Right Brake Pad
November 17th, 2015|4 min read
George
9/23/2021, 3:19:48 AM
Very nicely explained in simple and understandable terms. Very much appreciated. This is the first site after much searching that I feel accurately explained the 2 scenarios.
11/6/2021, 8:43:57 AM
This article was a perfect tool to help explain these issues to a coworker who is learning how to diagnose small engines thru failure analysis. (We finally have a backpack blower that has detonation happening) The explanations here are easy to understand and follow, and show the clear difference between the two.
Nick Reynolds
2/15/2022, 12:33:30 PM
I've been reading "The Secret Horsepower Race" Highly recommended. The author used the terms preignition and detonation frequently I could not understand teh difference.
Now I do - many thanks.
Vince |
190102 | https://dictionary.cambridge.org/pl/dictionary/english/purposefully | Znaczenie słowa purposefully w języku angielskim
Your browser doesn't support HTML5 audio
Your browser doesn't support HTML5 audio
Możesz również znaleźć pokrewne wyrazy, zwroty i synonimy w kategoriach:
Tłumaczenie purposefully
Uzyskaj szybkie, bezpłatne tłumaczenie!
Przeglądaj
Słowo dnia
Victoria sponge
Your browser doesn't support HTML5 audio
Your browser doesn't support HTML5 audio
a soft cake made with eggs, sugar, flour, and a type of fat such as butter. It is made in two layers with jam or cream, or both, between them
Blog
Calm and collected (The language of staying calm in a crisis)
Nowe słowa
vibe coding
© Cambridge University Press & Assessment 2025
© Cambridge University Press & Assessment 2025
Dowiedz się więcej dzięki +Plus
Dowiedz się więcej dzięki +Plus
To add purposefully to a word list please sign up or log in.
Dodaj purposefully do jednej z poniższych list lub utwórz nową.
{{message}}
{{message}}
Coś poszło nie tak.
{{message}}
{{message}}
Coś poszło nie tak.
{{message}}
{{message}}
Pojawił się problem z wysłaniem raportu.
{{message}}
{{message}}
Pojawił się problem z wysłaniem raportu. |
190103 | https://mathworld.wolfram.com/NaturalNumber.html | Natural Number
The term "natural number" refers either to a member of the set of positive integers 1, 2, 3, ... (OEIS A000027) or
to the set of nonnegative integers 0, 1, 2,
3, ... (OEIS A001477; e.g., Bourbaki 1968,
Halmos 1974). Regrettably, there seems to be no general agreement about whether to
include 0 in the set of natural numbers. In fact, Ribenboim (1996) states "Let
be a set of natural numbers; whenever
convenient, it may be assumed that ."
The set of natural numbers (whichever definition is adopted) is denoted N.
Due to lack of standard terminology, the following terms and notations are recommended in preference to "counting number,"
"natural number," and "whole number."
| | | |
---
| set | name | symbol |
| ..., , , 0, 1, 2, ... | integers | Z |
| 1, 2, 3, 4, ... | positive integers | Z-+ |
| 0, 1, 2, 3, 4, ... | nonnegative integers | Z- |
| 0, , , , , ... | nonpositive integers | |
| , , , , ... | negative integers | Z-- |
See also
Counting Number, Integer, N, Positive, Z,
Z--, Z-+, Z-
Explore with Wolfram|Alpha
More things to try:
is 1 a natural number
sum of all natural numbers from 1 to 100
1111
References
Bourbaki, N. Elements of Mathematics: Theory of Sets. Paris, France: Hermann, 1968.Courant,
R. and Robbins, H. "The Natural Numbers." Ch. 1 in What
Is Mathematics?: An Elementary Approach to Ideas and Methods, 2nd ed. Oxford,
England: Oxford University Press, pp. 1-20, 1996.Halmos, P. R.
Naive
Set Theory. New York: Springer-Verlag, 1974.Ribenboim, P. "Catalan's
Conjecture." Amer. Math. Monthly 103, 529-538, 1996.Sloane,
N. J. A. Sequences A000027/M0472
and A001477 in "The On-Line Encyclopedia
of Integer Sequences."Welbourne, E. "The Natural Numbers."
Referenced on Wolfram|Alpha
Natural Number
Cite this as:
Weisstein, Eric W. "Natural Number." From
MathWorld--A Wolfram Resource.
Subject classifications
Find out if you already have access to Wolfram tech through your organization |
190104 | https://www.turito.com/blog/chemistry/quantum-numbers | Need Help?
Get in touch with us
Home
Study Abroad
Physics
Chemistry
More
Quantum Numbers and their types?
Aug 11, 2022
Quantum Numbers
An atom can consist of a large number of orbitals. Based on the quantity, these orbitals can be differentiated by their shape, size, and direction of the electron or their spin, i.e., orientation.
The smaller the size of an orbital, the more the chances of finding the electrons near the nucleus. Likewise, the shape and orientation of an atom inform the probability of locating the electron in a fixed direction more than others. Atomic orbitals are accurately distinguished by some numbers, which are called quantum numbers.
This article will inform you about quantum numbers and how to calculate them.
Quantum Numbers and Their Types
Quantum numbers are the integral numbers used to describe the precise information of an electron in an atom. Simply put, quantum numbers are used to explain the correct address of an electron.
A quantum number narrates
The energy of an electron in orbit.
The position or distance of an electron from the nucleus.
The shape and number of orientations of an electron cloud around its axis.
The direction of the spinning of the electron around its axis.
These are the four quantum numbers, i.e., principal quantum number (n), magnetic quantum number (m), azimuthal quantum number (l), and spin quantum number (s). Therefore, it can say that to describe an electron in an atom completely, four quantum numbers are required.
Principal Quantum Number (n)
The principal quantum number gives the following information:
It determines the energy of an electron and the average distance of an electron from the nucleus. The principal quantum number tells the principal energy level of the electron. It can have any whole number value such as 1, 2, 3, 4, etc.
The energy levels or shells corresponding to these numbers are designated as K, L, M, N, etc. As the value of n increases, the electron gets farther from the nucleus, increasing its energy. The higher the value of n, the higher the electronic energy of the electron. Therefore, it is less tightly held with the nucleus.
The energy of the electron in a hydrogen atom is related to the principal quantum number by the following relation:
Eₙ = – k² [2𝜋²me⁴Z²] / [n² h²]
Where m = mass of an electron
e = charge on electron
h = Planck’s Constant
Eₙ = energy of the electron in nth principle shell in Joule
n = Principal quantum number used to designate the principal shell
k = Coulomb’s law constant
This relation is similar to the expression given by Bohr.
The principal quantum number, n, also gives the maximum number of electrons that may accommodate a given shell. The maximum number of electrons in the nth shell = 2n².
Azimuthal Quantum Number (l)
This quantum number is also called the angular quantum number. It decides the angular momentum of an electron and is denoted by l. The value of l gives the sublevel or subshell in which the electron is located.
This quantum number also decides the shape of the orbital in which the electron is located. The number of subshells with a principal shell is determined by the value of n for that principal energy level. Therefore, l may have all possible whole number values from 0 to (n – 1) for each principal energy level.
This quantum number directs the magnitude of the orbital angular momentum. Therefore, it is also called orbital angular momentum quantum number. The maximum number of electrons that may accommodate a given subshell equals 2(2l + 1).
Azimuthal quantum number rules:
For n = 1, l will be 0. It means that an electron in the first energy level can be present only in an s -shell. So, the first energy level has solely one subshell, i.e., 1s. It is spherical.
For n = 2, l will have values 0 and 1. It means that the electron in the second principal energy level may be either in a spherical s-subshell or p-subshell. So, the second energy level has only two subshells, i.e., 2s & 2p. The p-subshells are dumb-bell.
For n = 3, l can have values 0, 1, and 2. An electron in the third principal energy level may either be in the s-subshell or p-subshell. So the third energy level has three subshells that are 3s, 3p, & 3d. The d-subshells are leaf-like.
Similarly, the fourth energy level can have four subshells, i.e., 4s, 4p, 4d, & 4f.
The relation between orbital angular momentum and azimuthal quantum number, l is
Orbital angular momentum = [h/ 2𝜋] √[l (l + 1)]
Magnetic Quantum Number (mₗ)
This quantum number refers to the different orientations of the electron cloud in a particular subshell. In other words, the direction of the angular momentum is determined by the magnetic quantum number (mₗ).
The number of orbitals in a specific subshell within a principal energy level is stated by the number of values sanctioned to mₗ, which in turn hangs on the values of l. The possible values of mₗ range +l to -l, including 0 values. The total number of mₗ values gives the total number of orbitals within a given subshell.
Magnetic quantum number rules:
For l = 0, i.e., s-subshell, mₗ = 0. Therefore, the s-subshell consists solely of one orbital.
For l = 1, i.e., p-subshell, mₗ can be -1, 0, and +1. Therefore, the p-subshell consists of three orbitals.
For l = 2, i.e., d-subshell, mₗ can be -2, -1, 0, +1, and +2. Therefore, the d-subshell consists of five orbitals.
For l = 3, i.e., f-subshell, mₗ can be -3, -2, -1, 0, +1, +2, and +3. Therefore, the f-subshell consists of seven orbitals.
Spin Quantum Number (mₛ)
This quantum number is denoted by mₛ. It does not arise from the mechanical wave treatment but the spectral proof that an electron, in addition to its revolving motion about the nucleus, also spins about its axis.
The spin quantum number tells the direction of spin of the electron. The spin can either be anticlockwise or clockwise. The spin quantum number can have only two values which are +1/2 and -1/2. If the positive value indicates clockwise spin, i.e. ↑, upward arrow, and is known as 𝛼-spin. The negative value indicates anti-clockwise spin, i.e. ↓, downward arrow, known as 𝛽-spin.
Quantum Numbers Chart
The relationship between all quantum numbers is represented with the help of a quantum numbers chart.
| | | | | | | | |
--- --- --- --- |
| n | l | mₗ | mₛ | Number of Orbitals | Orbital Name | Number of Electrons | Total Electrons |
| (K shell) | 0 | 0 | +½, -½ | 1 | 1s | 2 | 2 |
| (L shell) | 0 | 0 | +½, -½ | 1 | 2s | 2 | 8 |
| | 1 | -1, 0, +1 | +½, -½ | 3 | 2p | 6 | |
| (M shell) | 0 | 0 | +½, -½ | 1 | 3s | 2 | 18 |
| | 1 | -1, 0, +1 | +½, -½ | 3 | 3p | 6 | |
| | 2 | -2, -1, 0, +1, +2 | +½, -½ | 5 | 3d | 10 | |
Information Provided by Four Quantum Numbers
The four quantum numbers give the following information :
n defines the shell number and determines the size of the orbital and the orbital’s energy to a large extent.
There are many subshells in the nth shell. In which subshell the electron lies and decides the shape of the orbital is pointed out by l. There are (2l+1) types of orbitals in a subshell, i.e., the value of l for a one s orbital is 0, for three p orbitals is 1, and for five d orbitals is 2 per subshell. To some limit, l also decides the energy of the orbital in a numerous electrons atom.
mₗ appoints the orientation of the orbital. For a given value of l, mₗ has (2l+1) values, the same as the orbitals’ number per subshell. It suggested that the orbitals’ number equals a lot of ways in which they are positioned.
mₛ refers to the orientation of the spin of the electron.
Conclusion
From the above discussion, it is concluded that four types of quantum numbers allocate the position of an electron in an atom. When the Schrodinger wave equation is calculated for the wave function, 𝛹, the values of three quantum numbers, i.e., n, l, and m, become easy to calculate. Spin quantum number (s) arise due to the electron’s spinning about its axis.
With the help of a quantum numbers chart, you can understand the values of all quantum numbers and memorize them most simply.
Frequently Asked Questions
1. Why is it impracticable to get a principal quantum number as zero or a negative value?
The principal quantum number describes an electron’s electron shell or energy level. It is not feasible for an electron to possess the value of the principal quantum number, n, as zero or a negative value. It is because an atom can’t have a negative value or no value for a principal shell.
2. What are the assigned values of all the four quantum numbers?
The assigned values of all four quantum numbers are:
A principal quantum number, i.e., ‘n’, can take all the natural number values.
Magnetic quantum number, i.e., ‘mₗ’, can take values from -l to +l, depending upon ‘l’ and hence, ‘n’ too.
Azimuthal quantum numbers, i.e., ‘l’, can take values from 0 to (n – 1).
The spin quantum number for an electron is either -1/2 or 1/2.
3. Which quantum number decides the magnetic property of an atom?
Due to spin, the electron behaves as a tiny magnet. The electron’s spin is responsible for the magnetic properties of atoms, and molecules of a substance are paired. It behaves as diamagnetic. It is because the magnetic field weakly repels them.
Whereas if atoms or molecules of a substance have one or more unpaired or odd electrons, it behaves as a paramagnetic substance. It is because the magnetic field weakly attracts them.
Comments:
Relevant Articles
Butanoic Acid – Structure, Properties, Uses
Butanoic Acid The carboxylic acid, butanoic acid, has the structural …
Butanoic Acid – Structure, Properties, Uses Read More »
Read More >>
What is Iodoform? Characteristics and Uses
Iodoform The formula for Iodoform is CHI3. It is biotic …
What is Iodoform? Characteristics and Uses Read More »
Read More >>
Lattice Energy – Explanation, Factors & Formulas
Lattice Energy Lattice energy evaluates the intensity of the ionic …
Lattice Energy – Explanation, Factors & Formulas Read More »
Read More >>
Lead Acetate – Definition, Properties, Uses
Lead Acetate Have you ever licked lipstick when you sketch …
Lead Acetate – Definition, Properties, Uses Read More »
Read More >>
Study Abroad
With Turito Study Abroad
With Turito Study Abroad
Get an Expert Advice from Turito
Get an Expert Advice from Turito
CAP
With Turito CAP.
Coding
With Turito Coding.
Robotics
With Turito RoboNinja
Tutoring
1-on-1 tutoring for the undivided attention
callback button |
190105 | https://www.quora.com/How-can-unknown-quantities-in-geometric-problems-be-solved | Something went wrong. Wait a moment and try again.
Problem Solving
Unknown Numbers
Mathematical Problems
Mathematical Concepts
Geometric Equations
Geometry Word Problems
Geometric Mathematics
SPATIAL PROBLEMS
5
How can unknown quantities in geometric problems be solved?
·
Solving for unknown quantities in geometric problems typically involves a combination of geometric principles, algebraic techniques, and sometimes trigonometric relationships. Here’s a structured approach to tackling these problems:
Understand the Problem
Carefully read the problem statement to identify the given information and what you need to find.
Sketch the geometric figure if it’s not provided, labeling all known quantities.
Identify Relevant Geometric Principles
Use properties of shapes (triangles, circles, polygons, etc.) and their relationships.
Apply theorems such as:
Pythagorean Theo
Solving for unknown quantities in geometric problems typically involves a combination of geometric principles, algebraic techniques, and sometimes trigonometric relationships. Here’s a structured approach to tackling these problems:
Understand the Problem
Carefully read the problem statement to identify the given information and what you need to find.
Sketch the geometric figure if it’s not provided, labeling all known quantities.
Identify Relevant Geometric Principles
Use properties of shapes (triangles, circles, polygons, etc.) and their relationships.
Apply theorems such as:
Pythagorean Theorem for right triangles: a2+b2=c2
Area and perimeter formulas for different shapes.
Properties of similar and congruent figures.
Set Up Equations
Translate the geometric relationships into algebraic equations. This might involve:
Setting up equations based on the properties of similar triangles (e.g., ratios of corresponding sides).
Using the area or perimeter formulas where necessary.
Employing trigonometric ratios (sine, cosine, tangent) for angles and sides in right triangles.
Solve the Equations
Use algebraic techniques to solve for the unknowns. This can include:
Combining like terms.
Factoring or using the quadratic formula if necessary.
Isolating variables to find their values.
Check Your Work
Verify that the solution makes sense in the context of the problem.
Check that all dimensions and units are consistent.
If applicable, substitute back into original equations to ensure they hold true.
Example Problem
Problem: A right triangle has one leg measuring 6 cm, and the hypotenuse measures 10 cm. What is the length of the other leg?
Solution Steps:
1. Understand the Problem: We need to find the length of the unknown leg (let’s call it b).
2. Identify Relevant Geometric Principles: Use the Pythagorean Theorem: a2+b2=c2.
3. Set Up the Equation:
- Given a=6 cm and c=10 cm, the equation becomes:
62+b2=102
4. Solve the Equation:
36+b2=100b2=100−36b2=64b=8 cm
5. Check Your Work: The dimensions satisfy the Pythagorean theorem, confirming the solution is correct.
This systematic approach can be adapted to a wide range of geometric problems involving unknown quantities.
Steve Sparling
BSc in Mathematics, The University of British Columbia
·
Author has 365 answers and 280.2K answer views
·
4y
The beauty of geometry is that there are so many different interesting problems. Some problems involve a number of strategies.
For starters look at what you are given and what you want to find. What you want is a numeric path from the given to the end so look for obvious consequences of the given. Now go to the end and work backwards - I can figure out this number if I only knew that number. I find working backwards is a great strategy.
In order to work the above you need to look at your toolbox. If there are right triangles will you use Pythagoras or trigonometry or something else. Can you draw
The beauty of geometry is that there are so many different interesting problems. Some problems involve a number of strategies.
For starters look at what you are given and what you want to find. What you want is a numeric path from the given to the end so look for obvious consequences of the given. Now go to the end and work backwards - I can figure out this number if I only knew that number. I find working backwards is a great strategy.
In order to work the above you need to look at your toolbox. If there are right triangles will you use Pythagoras or trigonometry or something else. Can you draw a line to make a right triangle? If there is a circle then thing of your circle rules. Think of your other tools: parallel lines; vertical angles etc.
If it is a good problem nothing is obvious. To see what needs to be done get some paper and coloured pencils and start drawing. At some point a potential solution will seem to emerge. If that solution doesn’t work then you can eliminate it but don’t forget it as changing it a little may yield a solution.
I hope this helps. The best way to become a geometry problem solver is to work lots of problems and develop your own strategies.
Sachin Tiwary
4y
Geometry is a branch of mathematics which serves as a connecting link between the real world and our theoretical understanding of mathematics which we study in our mathematics textbook. If you have a good understanding of geometry ( it should be at your fingertips ) and algebra, then using the combined concepts from the two ( i.e. geometry and algebra ) , you can convert an unknown quantity in geometry ( or from a real world situation ) into an algebric equations. Then you can obtain the value of the unknown quantity by solving the equation by using various methods of solving.
Related questions
How can real life problems involving unknown quantities in geometric problems be formulated and solved?
How can challenging problems involving geometric figures be analyzed and solved?
How can I solve geometric problems mentally?
How can I solve the geometric problem?
How do you solve a difficult problem in geometry?
Herbert Levinson
Former Retired Maintenance Tech
·
Author has 225 answers and 118.1K answer views
·
4y
That's what Co-ordinated Geometry and Trigonometry is all about. The geometry is Co-ordinated on graphs, on paper and then in your mind. Along with proven theorems.
Bernd Leps
Former scientific official; retired
·
Author has 5.7K answers and 1.2M answer views
·
2y
Originally Answered: What is the formula for finding and solving for an unknown in geometry?
·
Geometry is not algebra and not arithmetics.
There are ways to transfer geometrical problems into arithmetical ones - especially coordinate systems and vectors -, but in general geometry will not work with formulas.
That will not say, that for standard problems there are not standard ways of solution, for which you can get a “recipe”.
For example, in Euclidean geometry (compass and ruler without divisions only, no coordinate system, planar field of work) nearly any given problem can be solved by connecting and coupling single steps or building bricks like
construct a straight line out of two point
Geometry is not algebra and not arithmetics.
There are ways to transfer geometrical problems into arithmetical ones - especially coordinate systems and vectors -, but in general geometry will not work with formulas.
That will not say, that for standard problems there are not standard ways of solution, for which you can get a “recipe”.
For example, in Euclidean geometry (compass and ruler without divisions only, no coordinate system, planar field of work) nearly any given problem can be solved by connecting and coupling single steps or building bricks like
construct a straight line out of two points,
construct a circle around a given center with a given radius or through a given second point,
construct a straight line orthogonal to a given straight line and through a given point (not being at the given line),
construct a stright line parallel to a given line through a given point (not being at the given line),
transport a given distance as to start now from a given point on a given line,
construct a rectangular triangle, if the longest and another side are given,
multiply a given distance by an integer factor,
divide a given distance in an integer number of equal parts,
transport a given angle now starting with a given point and having a given line as side,
multiply an angle by an integer factor,
divide a given angle by two,
transfer an area given as rectangle into a square,
transfer the area of a given square into an rectangle, of which one side is given,
transfer the area of two given squares into one square,
construct a regular hexagon and a regular triangle, if a side is given,
costruct triangles out of three given sides or two given sides and the angle between them or one side and the two angles at its ends or one side and two angles, of which one is not attached to the given side or two sides and an angle not between them,
and the like (here given with increasing difficulty) and try to solve the given problem by dismembering it into such steps.
Promoted by Grammarly
Grammarly
Great Writing, Simplified
·
Aug 18
Which are the best AI tools for students?
There are a lot of AI tools out there right now—so how do you know which ones are actually worth your time? Which tools are built for students and school—not just for clicks or content generation? And more importantly, which ones help you sharpen what you already know instead of just doing the work for you?
That’s where Grammarly comes in. It’s an all-in-one writing surface designed specifically for students, with tools that help you brainstorm, write, revise, and grow your skills—without cutting corners.
Here are five AI tools inside Grammarly’s document editor that are worth checking out:
Do
There are a lot of AI tools out there right now—so how do you know which ones are actually worth your time? Which tools are built for students and school—not just for clicks or content generation? And more importantly, which ones help you sharpen what you already know instead of just doing the work for you?
That’s where Grammarly comes in. It’s an all-in-one writing surface designed specifically for students, with tools that help you brainstorm, write, revise, and grow your skills—without cutting corners.
Here are five AI tools inside Grammarly’s document editor that are worth checking out:
Docs – Your all-in-one writing surface
Think of docs as your smart notebook meets your favorite editor. It’s a writing surface where you can brainstorm, draft, organize your thoughts, and edit—all in one place. It comes with a panel of smart tools to help you refine your work at every step of the writing process and even includes AI Chat to help you get started or unstuck.
Expert Review – Your built-in subject expert
Need to make sure your ideas land with credibility? Expert Review gives you tailored, discipline-aware feedback grounded in your field—whether you're writing about a specific topic, looking for historical context, or looking for some extra back-up on a point. It’s like having the leading expert on the topic read your paper before you submit it.
AI Grader – Your predictive professor preview
Curious what your instructor might think? Now, you can get a better idea before you hit send. AI Grader simulates feedback based on your rubric and course context, so you can get a realistic sense of how your paper measures up. It helps you catch weak points and revise with confidence before the official grade rolls in.
Citation Finder – Your research sidekick
Not sure if you’ve backed up your claims properly? Citation Finder scans your paper and identifies where you need sources—then suggests credible ones to help you tighten your argument. Think fact-checker and librarian rolled into one, working alongside your draft.
Reader Reactions – Your clarity compass
Writing well is one thing. Writing that resonates with the person reading it is another. Reader Reactions helps you predict how your audience (whether that’s your professor, a TA, recruiter, or classmate) will respond to your writing. With this tool, easily identify what’s clear, what might confuse your reader, and what’s most likely to be remembered.
All five tools work together inside Grammarly’s document editor to help you grow your skills and get your writing across the finish line—whether you’re just starting out or fine-tuning your final draft. The best part? It’s built for school, and it’s ready when you are.
Try these features and more for free at Grammarly.com and get started today!
Michael Paglia
Former Journeyman Wireman IBEW
·
Author has 33.3K answers and 5.1M answer views
·
1y
Originally Answered: Can you suggest an interesting method for solving unknown values in geometric problems?
·
You don't find any values in plane geometry
It's all.on a compass
Polar you can use algebra because it's on a grid and there are values there
Your response is private
Was this worth your time?
This helps us sort answers on the page.
Absolutely not
Definitely yes
Related questions
How do I solve geometry problems easily?
How can you use geometry to solve everyday problems?
How can I solve this geometric problem with circle?
What can be done to solve geometry problems?
How can a geometric sequence help solve real-life problems?
Trevor
B.A. with MMath in Mathematics, University of Cambridge (Graduated 2023)
·
Author has 1.3K answers and 5.5M answer views
·
Updated 8y
Related
How can I solve the geometric problem?
Finally! The answer is 5√3 !
This is a pure geometric approach, but it still requires a clear mindset and knowledge of quite a few important theorems.
Let us denote P as the intersection of AM and DN, and Q as the intersection of AN and EM. X will be the intersection of the three lines. S will be the intersection of the altitude and MN.
An important dimension that you might take note of is that BC is divided by the altitude into length of 1 and 4 respectively. This can be proven by cosine law or simply the Pythagorean theorem.
Step 1 Identify the two right angled triangles are similar
This sho
Finally! The answer is 5√3 !
This is a pure geometric approach, but it still requires a clear mindset and knowledge of quite a few important theorems.
Let us denote P as the intersection of AM and DN, and Q as the intersection of AN and EM. X will be the intersection of the three lines. S will be the intersection of the altitude and MN.
An important dimension that you might take note of is that BC is divided by the altitude into length of 1 and 4 respectively. This can be proven by cosine law or simply the Pythagorean theorem.
Step 1 Identify the two right angled triangles are similar
This should be easy because the two angles (right angle) and another angle (∠ADM and ∠ANE) are given to be equal. So we have
[math]\displaystyle \boxed {\frac {AD}{AN}=\frac {AM}{AE}} \tag{}[/math]
Step 2 Identify another pair of similar triangle
This is a difficult step. Since we have established the ratios in Step 1, we can conclude another pair of similar triangle based on an additional infornation:
[math]\angle DAN = \angle CAB+90^\circ = \angle EAM \tag{}[/math]
So we also have
[math]\displaystyle \boxed {\triangle DAN \sim \triangle MAE} \tag{}[/math]
Step 3 Recognize the two hidden circles
This step is extremely difficult. But from the similarity, we have
[math]\angle ADN=\angle AME \text { and } \angle AEM=\angle AND \tag{}[/math]
Because of converse of angle in the same segment we have ADMX and AXNE to be cyclic quadrilateral.
Step 4 Recognize the right angles
This step follows from the cyclic quadrilateral conclusion. Since we have angle in the same segment we also have
[math]\boxed {\angle DXM=\angle EXN=90^\circ} \tag{}[/math]
Step 5 See that we have yet another pair of similar triangles
Or alternatively, if you already know how to construct the geometric mean of two numbers using straight edge and compass, you should know that [math]SX^2=MS\times SN[/math], but you can recognize the pair of similar triangles of
[math]\triangle XMS \sim \triangle NXS \sim \triangle NMX \tag{}[/math]
to obtain that. Since we know that [math]BS=0.5[/math] and [math]SC=2[/math], we have [math]SX=\sqrt {0.5\times 2}=1[/math]
Therefore,
[math]\displaystyle \boxed {XN=\sqrt 5}\tag{}[/math]
[math]\displaystyle \boxed {XM=\frac {\sqrt 5}2} \tag{}[/math]
Step 6 The final pairs of similar triangles
Since we have proved the cyclic quadrilateral, so we also have [math]\angle XAN=\angle XEN[/math] and [math]\angle XDM=\angle XAM[/math]. Together with the right angle we have discovered earlier, we have found the final pairs of similar triangles:
[math]\begin {align} \triangle DXM&\sim \triangle ASM\ \triangle EXN&\sim \triangle ASN \end {align}[/math]
With the values we have found for [math]XM[/math] and [math]XN[/math], we can find [math]XD[/math] and [math]XE[/math] using the ratios.
[math]XD= 2\sqrt {15} \text { and } XE=\sqrt {15}[/math]
[math]DE=\sqrt {5}\sqrt {15}=\boxed {5\sqrt 3}[/math]
The typing is a bit of work…
[math]\huge \ddot \smile \tag{}[/math]
Sponsored by Senior Discounts Pro
The Administration Approved The 2025 Benefit List For Seniors!
Social Security Recipients Getting Under $2,384/Mo Now Entitled To 12 "Kickbacks" (Tap For Full List).
Dean Rubine
Programming since 1975
·
Author has 10.5K answers and 23.4M answer views
·
5y
Related
How would I solve this geometry problem?
I promised Paul I’d look at this one two or three weeks ago and I’m just getting to it. Sorry Paul.
I pasted Paul’s figure on the grid; I reflected and rotated to get it in position.
In the figure we have [math]p=\tan 45^\circ=1[/math], [math]q=\tan 30^\circ = 1/\sqrt{3}[/math] but let’s do it in general to start. Let’s say [math]BC=s[/math] in general, [math]s=12[/math] at the end. Our unknowns are the slope [math]m, [/math] lengths [math]b[/math] and [math] d.[/math]
[math]A(2b,2mb)[/math] is on [math]y=p(x+d)[/math]
[math]2mb = p(2b+d) = 2pb + pd[/math]
That’s one equation.
[math]B (b,mb)[/math] is on [math]y=q(x+d)[/math]
[math]mb=q(b+d) = qb + qd[/math]
That’s a second equation. The final one is [math]BC^2=s^2[/math]
[math]b^2 + m^2b^2 = s^2[/math]
mathb^2 = s^2[/math]
OK, let’s try to solve th
I promised Paul I’d look at this one two or three weeks ago and I’m just getting to it. Sorry Paul.
I pasted Paul’s figure on the grid; I reflected and rotated to get it in position.
In the figure we have [math]p=\tan 45^\circ=1[/math], [math]q=\tan 30^\circ = 1/\sqrt{3}[/math] but let’s do it in general to start. Let’s say [math]BC=s[/math] in general, [math]s=12[/math] at the end. Our unknowns are the slope [math]m, [/math] lengths [math]b[/math] and [math] d.[/math]
[math]A(2b,2mb)[/math] is on [math]y=p(x+d)[/math]
[math]2mb = p(2b+d) = 2pb + pd[/math]
That’s one equation.
[math]B (b,mb)[/math] is on [math]y=q(x+d)[/math]
[math]mb=q(b+d) = qb + qd[/math]
That’s a second equation. The final one is [math]BC^2=s^2[/math]
[math]b^2 + m^2b^2 = s^2[/math]
mathb^2 = s^2[/math]
OK, let’s try to solve this non-linear system. Eliminate [math]d[/math] first,
[math]mpb= pqb + pqd[/math]
[math]2mqb = 2pqb + pqd[/math]
[math]mb(2q-p) = pqb[/math]
We can assume [math]b\ne 0[/math] and eliminate [math]b[/math] at the same time.
[math]m = \dfrac{pq}{2q-p}[/math]
Interesting. We get the slope independently of the length of AB=BC.
[math]b^2 = \dfrac{s^2}{1+m^2}[/math]
[math]2mb = 2pb + pd[/math]
[math]d = 2b(m-p)/p = 2b(m/p - 1)[/math]
The thing we’re after is [math]AD^2 = (2b + d)^2 + (2mb)^2[/math]
I won’t try to simplify.
OK, let’s substitute in [math]p=\tan 45^\circ=1[/math], [math]q=\tan 30^\circ=1/\sqrt{3}, s=12[/math]
[math]m = \dfrac{pq}{2q-p} = \dfrac{1/\sqrt{3}}{2/\sqrt{3}-1} = \dfrac{1}{2 -\sqrt{3}} \dfrac{2+\sqrt{3}}{2+\sqrt{3}} [/math]
[math]m = 2+\sqrt{3}[/math]
Rather than use the rest of the solution we just worked out, we have the shortcut through the trig tunnel. It happens that [math]\tan 75^\circ = m;[/math] let’s show that.
[math]\sin 75^\circ=\sin (45^\circ+30^\circ) = \sin 45 \cos 30 + \cos 45 \sin 30 \\quad = \dfrac{\sqrt{2}}{2} \left(\dfrac{\sqrt{3}}{2} + \dfrac{1}{2}\right)=\frac 1 4(\sqrt{6}+\sqrt{2})[/math]
[math]\cos 75 =\cos (45+30) = \cos 45 \cos 30 - \sin 45 \sin 30 \\quad = \dfrac{\sqrt{2}}{2} \left(\dfrac{\sqrt{3}}{2} - \dfrac{1}{2}\right)=\frac 1 4(\sqrt{6}-\sqrt{2})[/math]
[math]\tan 75^\circ = \dfrac{ \sqrt{6}+\sqrt{2}}{\sqrt{6}-\sqrt{2}} \cdot \dfrac{\sqrt{6}+\sqrt{2}}{\sqrt{6}+\sqrt{2}} = \dfrac{8+2\sqrt{12}}{4} = 2 + \sqrt{3}[/math]
So
[math]\arctan m = 75^\circ[/math]
exactly. We didn’t really need to find the angle to find
[math]\sin C = \frac 1 4(\sqrt{6}+\sqrt{2})[/math]
which we could have (rather tediously) calculated from the tangent [math]2 + \sqrt{3}[/math].
The Law of Sines gives our answer,
[math]\dfrac{\sin(180^\circ - 75^\circ)}{AD} = \dfrac{\sin 45^\circ}{24}[/math]
[math]AD = \dfrac{ 24 \sin 75 }{\sin 45 } [/math]
[math]AD = \dfrac{24 \cdot \frac 1 4 (\sqrt{2} + \sqrt{6})}{1/\sqrt{2}} = 6(2 + \sqrt{12})[/math]
[math]AD = 12 + 12\sqrt{3}[/math]
I’ll refrain from the pointless adding up of the numbers.
Hugh Bothwell
Studied Electrical Engineering
·
Author has 2.6K answers and 1.5M answer views
·
5y
Related
How do you solve a difficult problem in geometry?
Always start by sketching a diagram.
I like to think of the initial model as being “floppy” - the lines and intersections can shift around. As you add constraints - lengths, angles, relationships - it “stiffens” your model, reducing the ways it can move.
Now you need to think about how different pieces of the model interact. When I change this angle, what effect does it have on that one? If I shorten this line, does it make that one longer? Look for invariants - is this angle always the same as that one, or the complement of it?
Finally, think about your desired final result. What value do I need
Always start by sketching a diagram.
I like to think of the initial model as being “floppy” - the lines and intersections can shift around. As you add constraints - lengths, angles, relationships - it “stiffens” your model, reducing the ways it can move.
Now you need to think about how different pieces of the model interact. When I change this angle, what effect does it have on that one? If I shorten this line, does it make that one longer? Look for invariants - is this angle always the same as that one, or the complement of it?
Finally, think about your desired final result. What value do I need? What does that value depend on? How can I get the inputs I need to produce that output?
Sponsored by TechnologyAdvice
Compare the top HR software tools on the market.
Elevate your HR game with cutting-edge software solutions designed to maximize efficiency.
Aaron Briseno
B.S in Mathematics & Teaching, University of California, Los Angeles (Graduated 2010)
·
Author has 1.3K answers and 3.1M answer views
·
4y
Related
How would this geometry problem be solved?
With similar triangles, drop a perpendicular line from where the transversal crosses the first horizontal line to the second horizontal line(as shown), then drop another perpendicular from the second horizontal line to the third. It’ll look like:
Note the triangles formed are similar and so:
[math]\dfrac{x}{12}=\dfrac{6}{x+14}[/math]
Cross multiply
[math]x(x+14)=72[/math]
This might seem odd to you but I’d list the factors of 72: (1, 72) (2, 36) (3, 24) (4, 18) DONE the last one!
Do you see it? To be fair I’ve done this a bit; you see, the equation to me is read “you need two numbers who are 14 units apart that multiply to 7
With similar triangles, drop a perpendicular line from where the transversal crosses the first horizontal line to the second horizontal line(as shown), then drop another perpendicular from the second horizontal line to the third. It’ll look like:
Note the triangles formed are similar and so:
[math]\dfrac{x}{12}=\dfrac{6}{x+14}[/math]
Cross multiply
[math]x(x+14)=72[/math]
This might seem odd to you but I’d list the factors of 72: (1, 72) (2, 36) (3, 24) (4, 18) DONE the last one!
Do you see it? To be fair I’ve done this a bit; you see, the equation to me is read “you need two numbers who are 14 units apart that multiply to 72.” we found the two numbers 4 and 18, so
[math]x=4[/math]
Edit: I drew my perpendiculars different than I said them so I corrected the words to match the picture :)
Michael Grady
Former OS Software, Tutor, Math/Phys/Chem/Lang Teacher at Apple (company) (1995–2022)
·
Author has 1.3K answers and 1.1M answer views
·
Updated 10mo
Related
Can you provide examples of geometric problems that can be solved using vectors?
(A) A basic, but fun one, is the proof of the MidPoint Theorem: The line segment between Midpoints of 2 sides of a triangle has the length of half the 3rd side, and is parallel to it.
The work is easy and fun, but a picture from my old Calculus book is easier.
DE = (1/2)AC means that DE and AC are parallel, and |DE| = (1/2)|AC|
(B) Another fun exercise would be…
Show that the Midpoints of the sides of any Quadrilateral are the vertices of a Parallelogram…
[Update]
OK, (B) was an exercise in my old Calculus book, so I messed around with it for fun. Here we go…
A = vector OA, B = OB, etc. B, D, H, F
(A) A basic, but fun one, is the proof of the MidPoint Theorem: The line segment between Midpoints of 2 sides of a triangle has the length of half the 3rd side, and is parallel to it.
The work is easy and fun, but a picture from my old Calculus book is easier.
DE = (1/2)AC means that DE and AC are parallel, and |DE| = (1/2)|AC|
(B) Another fun exercise would be…
Show that the Midpoints of the sides of any Quadrilateral are the vertices of a Parallelogram…
[Update]
OK, (B) was an exercise in my old Calculus book, so I messed around with it for fun. Here we go…
A = vector OA, B = OB, etc. B, D, H, F are midpoints… “bold” means vector.
B = A + (1/2)(C - A) = (1/2)(A + C)
Similarly, D = (1/2)(C + E), F = (1/2)(E + G), H = (1/2)(A + G)
B - D = (1/2)(A + C) - (1/2)(C + E) = (1/2)(A - E)
H - F = (1/2)(A + G) - (1/2)(E + G) = (1/2)(A - E)
Therefore Vectors (B - D) = (H - F)
Similarly, we have (D - F) = (1/2)(C - G) = (B - H)
Conclusion: Opposite sides of quadrilateral BDFH, formed from midpoints of arbitrary quadrilateral ACEG, are parallel and have equal magnitudes ==> BDFH is a parallelogram !
The OP question was Geometric problems solved by Vectors. I believe these 2 results are a good introduction.
Peter Wengert
Author has 73 answers and 111K answer views
·
Updated 5y
Related
How do I solve this problem? It is a problem related to geometry.
I’ve drawn out a diagram of the problem for you here.
The task is to prove that the area shaded pink is the same as the area shaded blue.
Now let x be the distance of D from AB, let y be the distance of C from AB, let z be the distance of F from AB, and let l be the length of EB like so:
The area of a triangle is just its base multiplied by its height.
The area of ∆EBC is [math]\frac{Iy}{2}[/math], the area of ∆EAD is [math]\frac{Ix}{2}[/math], and the area of both ∆EBF and ∆EAF is [math]\frac{Iz}{2}[/math].
The thing to notice is that z is just the average of x and y, so the area of both ∆EBF and ∆EAF can be rewritten as [math]\frac{I\frac{x[/math]
I’ve drawn out a diagram of the problem for you here.
The task is to prove that the area shaded pink is the same as the area shaded blue.
Now let x be the distance of D from AB, let y be the distance of C from AB, let z be the distance of F from AB, and let l be the length of EB like so:
The area of a triangle is just its base multiplied by its height.
The area of ∆EBC is [math]\frac{Iy}{2}[/math], the area of ∆EAD is [math]\frac{Ix}{2}[/math], and the area of both ∆EBF and ∆EAF is [math]\frac{Iz}{2}[/math].
The thing to notice is that z is just the average of x and y, so the area of both ∆EBF and ∆EAF can be rewritten as [math]\frac{I\frac{x+y}{2}}{2}[/math] = [math]\frac{I(x+y)}{4}[/math]
The blue region therefore has an area of [math]2\frac{I(x+y)}{4}[/math] - (Area of ∆EBH + Area of ∆EAG)
The red region has a total area of [math]\frac{Iy}{2} + \frac{Ix}{2}[/math] - (Area of ∆EBH + Area of ∆EAG)
They both have ∆EBH and ∆EAG added to their areas, so proportionately speaking, they can be ignored.
The area of the blue region, [math]\frac{2I(x+y)}{4}[/math] simplifies into [math]\frac{I(x+y)}{2}[/math]
The area of the red region, [math]\frac{Iy}{2} + \frac{Ix}{2}[/math] also simplifies into [math]\frac{I(x+y)}{2}[/math]
Kranti Kumar Udayasingh
5+ years in IT Services & 3+ yrs in Professional Photography
·
8y
Related
Can someone solve this geometry problem?
This is otherwise called as
Langley’s Adventitious Angles
or 80° - 80° - 20° triangle problem. Found the solution from :—
The 80-80-20 Triangle Problem, Solution #1.
Calculate some known angles:
ACB = 180-(10+70)-(60+20) = 20°
AEB = 180-60-(50+30) = 40°
Draw a line from point E parallel to AB, labeling the intersection with AC as a new point F and conclude:
FCE ACB
CEF = CBA = 50+30 = 80°
FEB = 180-80 = 100°
AEF = 100-40 = 60°
CFE = CAB = 60+20 = 80°
EFA = 180-80 = 100°
Draw a line FB labeling the intersection with AE as a new point G and conclude:
AFE BEF
AFB = BEA = 40°
BFE = AEF = 60°
FGE = 180-6
This is otherwise called as Langley’s Adventitious Angles or 80° - 80° - 20° triangle problem. Found the solution from :— The 80-80-20 Triangle Problem, Solution #1.
Calculate some known angles:
ACB = 180-(10+70)-(60+20) = 20°
AEB = 180-60-(50+30) = 40°
Draw a line from point E parallel to AB, labeling the intersection with AC as a new point F and conclude:
FCE ACB
CEF = CBA = 50+30 = 80°
FEB = 180-80 = 100°
AEF = 100-40 = 60°
CFE = CAB = 60+20 = 80°
EFA = 180-80 = 100°
Draw a line FB labeling the intersection with AE as a new point G and conclude:
AFE BEF
AFB = BEA = 40°
BFE = AEF = 60°
FGE = 180-60-60 = 60° = AGB.
ABG = 180-60-60 = 60°
Draw a line DG. Since AD=AB (leg of isosceles) and AG=AB (leg of equilateral), conclude:
AD = AG.
DAG is isosceles
ADG = AGD = (180-20)/2 = 80°
Since DGF = 180-80-60 = 40°, conclude:
FDG (with two 40° angles) is isosceles, so DF = DG
With EF = EG (legs of equilateral) and DE = DE (same line segment) conclude:
DEF DEG by side-side-side rule
DEF = DEG = x
FEG = 60 = x+x
Answer X = 30 degree .
Source : World's Hardest Easy Geometry Problem
Related questions
How can real life problems involving unknown quantities in geometric problems be formulated and solved?
How can challenging problems involving geometric figures be analyzed and solved?
How can I solve geometric problems mentally?
How can I solve the geometric problem?
How do you solve a difficult problem in geometry?
How do I solve geometry problems easily?
How can you use geometry to solve everyday problems?
How can I solve this geometric problem with circle?
What can be done to solve geometry problems?
How can a geometric sequence help solve real-life problems?
Can someone solve this geometry problem?
What is the process for finding unknowns in geometry problems?
What are some simple looking yet difficult geometry problems?
How do I solve geometry easily that involves proving the questions?
How do you solve for an unknown quantity in math problems?
About
·
Careers
·
Privacy
·
Terms
·
Contact
·
Languages
·
Your Ad Choices
·
Press
·
© Quora, Inc. 2025 |
190106 | https://www.facebook.com/groups/2692404370981189/posts/4225709047650706/ | Mathematics for Learning | For what values of m and n ,limit of the function (m.e^x -n.cosx)/x is finite non zero number, | Facebook
Log In
Log In
Forgot Account?
Values of m and n for finite limit of function?
Summarized by AI from the post below
Mathematics for Learning
Sharafat Rasool
· August 10 ·
For what values of m and n ,limit of the function (m.e^x -n.cosx)/x is finite non zero number,
as x--> 0
For what values of m and n ,limit of the function (m.e^x -n.cosx)/x is finite non zero number,
as x--> 0
All reactions:
2
4 comments
Like
Comment
Share
Most relevant
Hans Karl Abele
Assuming m = n:
lim n(e^x - cos(x))/x = (L'H) = lim n(e^x + sin(x))/1 = n
7w
2
View all 2 replies
Jonathan Burros
Attempting to take the limit gives
(m - n)/0
So m = n…
See more
7w
See more on Facebook
See more on Facebook
Email or phone number
Password
Log In
Forgot password?
or
Create new account |
190107 | https://www.bhg.com/homekeeping/house-cleaning/tips/how-to-clean-a-thermometer/ | Clean Your Thermometer After Each Use—Here’s How to Do It Safely
Skip to content
Better Homes & Gardens
Search Please fill out this field.
Log In
My Account
Log Out
Settings
Magazine
Subscribe
Manage Your Subscription
Give a Gift Subscription
Get Help
BHG Books
BHG Archives
Newsletters
Sweepstakes
Subscribe
Search
Please fill out this field.
Decorating
Decorating
Rooms
Decor Styles
Decorating Advice
Home Features
Color
Painting
Budget Decorating
Small Spaces
DIY Decor
Home Tours
Seasonal Decorating
View All
Home Improvement
Home Improvement
Home Exteriors
Outdoor Structures
Owning a Home
DIY Home Electrical Tips & Guides
Home Remodeling
Porches & Outdoor Rooms
Remodeling Advice & Planning
Plumbing Installations & Repairs
Flooring
Decks
View All
Garden
Garden
Flowers
Garden Pests
Caring for Your Yard
Container Gardens
Garden Design
Trees, Shrubs & Vines
Houseplants
Landscaping
Edible Gardening
Gardening By Region
Plant Encyclopedia
View All
Housekeeping
Housekeeping
House Cleaning
Storage & Organization
Laundry & Linens
View All
Recipes
Recipes
Breakfast
Dinner
Desserts
Drinks
Summer Recipes
Recipes by Diet
How to Cook
International Recipes
Healthy Recipes
30-Minute Dinners
View All
Shopping
Shopping
Shop Our Collection
Home Reviews
Kitchen Reviews
Gardening Reviews
Gift and Holiday Reviews
BHG Recommends
View All
Holidays
Holidays
Halloween
Thanksgiving
Hanukkah
Christmas
Kwanzaa
New Year’s Eve
Traditions
Entertaining
View All
News
News
Home Trends
Food Trends
Gardening Trends
View All
About Us
Subscribe
Log In
My Account
My Account
Log Out
Settings
Magazine
Magazine
Subscribe
Manage Your Subscription
Give a Gift Subscription
Get Help
BHG Books
BHG Archives
Newsletters
Sweepstakes
Follow Us
Decorating
Rooms
Decor Styles
Decorating Advice
Home Features
Color
Painting
Budget Decorating
Small Spaces
DIY Decor
Home Tours
Seasonal Decorating
View All
Home Improvement
Home Exteriors
Outdoor Structures
Owning a Home
DIY Home Electrical Tips & Guides
Home Remodeling
Plumbing Installations & Repairs
Flooring
Decks
View All
Garden
Flowers
Garden Pests
Caring for Your Yard
Container Gardens
Garden Design
Trees, Shrubs & Vines
Houseplants
Landscaping
Edible Gardening
Gardening By Region
Plant Encyclopedia
View All
Housekeeping
House Cleaning
Storage & Organization
Laundry & Linens
View All
Recipes
Breakfast
Dinner
Desserts
Drinks
Summer Recipes
Recipes by Diet
How to Cook
International Recipes
Healthy Recipes
30-Minute Dinners
View All
Shopping
Shop Our Collection
Home Reviews
Kitchen Reviews
Gardening Reviews
Gift and Holiday Reviews
BHG Recommends
View All
Holidays
Halloween
Thanksgiving
Hanukkah
Christmas
Kwanzaa
New Year’s Eve
Traditions
Entertaining
View All
News
Home Trends
Food Trends
Gardening Trends
About Us
Subscribe
Recipes lost in endless open tabs? Join MyRecipes—it’s fast, easy, and free!!!!
Clean Your Thermometer After Each Use—Here’s How to Do It Safely
Learn how to disinfect digital and infrared thermometers to prevent the spread of germs between household members.
By
Jessica Bennett
Jessica Bennett
Jessica Bennett is an editor, writer, and former digital assistant home editor at BHG.
Learn about BHG's Editorial Process
Updated on September 8, 2022
[MUSIC PLAYING]
0 seconds of 45 seconds Volume 0%
Press shift question mark to access a list of keyboard shortcuts
Keyboard Shortcuts Enabled Disabled
Shortcuts Open/Close/ or ?
Play/Pause SPACE
Increase Volume↑
Decrease Volume↓
Seek Forward→
Seek Backward←
Captions On/Off c
Fullscreen/Exit Fullscreen f
Mute/Unmute m
Decrease Caption Size-
Increase Caption Size+ or =
Seek %0-9
Next Up
Is Cleaning Vinegar the Same as White Vinegar? When to Use Each One
00:39
Subtitle Settings
Off English
Font Color
White
Font Opacity
100%
Font Size
100%
Font Family
Arial
Character Edge
None
Edge Color
Black
Background Color
Black
Background Opacity
65
Window Color
Black
Window Opacity
0%
Reset
White Black Red Green Blue Yellow Magenta Cyan
100%75%50%25%
200%175%150%125%100%75%50%
Arial Courier Georgia Impact Lucida Console Tahoma Times New Roman Trebuchet MS Verdana
None Raised Depressed Uniform Drop Shadow
White Black Red Green Blue Yellow Magenta Cyan
White Black Red Green Blue Yellow Magenta Cyan
100%75%50%25%0%
White Black Red Green Blue Yellow Magenta Cyan
100%75%50%25%0%
Auto 360p 1080p 720p 540p 360p 270p 180p
Live
00:00
00:44
00:45
More Videos
00:45
Yes, You Need to Clean Your Thermometer After Each Use—Here's How to Do It Safely
00:39
Is Cleaning Vinegar the Same as White Vinegar? When to Use Each One
00:37
How to Safely Use a Pressure Washer to Clean Your Exterior Surfaces
00:33
5 Dishwasher Mistakes That Could Be Preventing a Good Clean
01:12
How to Clean with Vinegar
01:09
How to Clean a Refrigerator
Close
When someone in your family feels sick, one of the first things you typically do is take their temperature. Fever is a common symptom of many illnesses, including influenza and Coronavirus, making a thermometer an essential household tool. Because temperature readings often involve direct contact with a sick person, thermometers should be cleaned before and after each use. If multiple people are using the same device, to avoid passing germs between people, you should wash and disinfect the thermometer between each and every use. To make sure you’re sanitizing it safely, follow these instructions for cleaning digital and infrared versions.
Credit: Ridofranz/Getty Images
How to Clean a Digital Thermometer
Typically the least expensive option, a digital thermometer uses an electronic heat sensor to measure a person’s body temperature in less than a minute. These can typically be used in the mouth, armpit, or rectum, but each device should be limited to only one type of use in order to prevent cross-contamination. To clean a thermometer, you’ll need rubbing alcohol with at least 60 percent alcohol to effectively kill germs, according to the Centers of Disease Control and Prevention (CDC). Then follow these instructions to clean and sanitize, before and after use:
Soak a cotton ball or pad in rubbing alcohol and use it to thoroughly coat the entire device. Use a cotton swab dipped in alcohol to clean the inside any small crevices.
Allow the alcohol to air-dry on the thermometer to effectively kill germs.
You can rinse the device under cool water to remove any traces of alcohol, taking care not to wet the electronic elements, such as the display.
Let the thermometer air-dry completely before using or storing.
Alternatively, you can wash with soap and water, but take care not to submerge the electronic components, which can damage the device. You should also avoid using hot water to clean a thermometer, as this could damage the sensor that reads the temperature.
How to Clean an Infrared or Forehead Thermometer
Infrared thermometers use an infrared sensor to measure body temperature in a few seconds through a forehead scan. Although many are designed to be used without touching skin, the device should be sanitized before and after each use, in case contact has occurred. Refer to the manufacturer’s instructions for guidance on cleaning your specific model, but follow these basic steps for cleaning a forehead thermometer:
Clean the thermometer’s sensor with a cotton ball or pad soaked in at least 60 percent rubbing alcohol. You can also use a bleach wipe or alcohol pad.
Let the thermometer air-dry completely before using or storing.
Cleaning a thermometer is vital for avoiding the spread of germs between members of your household. With these tips, you’ll be ready to take a safe, effective temperature reading whenever you need it.
Explore more:
Housekeeping
House Cleaning
Cleaning Tips
Was this page helpful?
Thanks for your feedback!
Tell us why!
Other Submit
Related Articles
Is Microban Safe and How Does Microban Work Against Bacteria? How to Disinfect and Clean Your Home After the Flu How to Clean Desks and Other Office Items That Are Pretty Germy How to Get Rid of Dust in Your House Tasks to Check Off Your To-Do List Based On How Many Minutes of Energy You Have How Often Should You Dust? 4 Ways to Simplify the Chore Do Coffee Grounds Repel Mosquitoes? Pest Pros Weigh In Should You Spray Cleaners in Your Microwave?
Why You Should Clean Your Knife Block ASAP—Plus How to Do It What Is TSP Cleaner? Plus How to Use It Here’s How to Clean Your Toilet Tank If You’ve Been Neglecting It How to Clean Thrifted Finds So They're Safe for Your Home Do Dish Rags or Paper Towels Clean Kitchen Countertops Better? How to Clean a Bathroom Fan Yes, You Should Be Cleaning Your Books—Experts Explain Why How to Clean AirPods Without Damaging Them
Better Homes & Gardens
Newsletters
Follow Us
Decorating
Home Improvement
Rooms
Garden
Housekeeping
Recipes
Holidays
Shopping
News
Magazine
About Us
Editorial Process
Product Reviews
Privacy Policy
Careers
Terms of Service
Contact Us
Advertise
Better Homes & Gardens is part of the Dotdash Meredithpublishing family.
Myrecipes Dialog
the recipe box for
Start Saving Recipes
Already have an account? Log In
Available on Save your favorite recipes from
Allrecipes Food & Wine Serious Eats The Spruce Eats Simply Recipes Real Simple Better Homes & Gardens EatingWell Southern Living
Learn more about MyRecipes
Newsletter Sign Up
Newsletter Sign Up |
190108 | https://atozmath.com/example/StatsUG.aspx?q=1&q1=E2 | Median Example for ungrouped data
We use cookies to improve your experience on our site and to show you relevant advertising. By browsing this website, you agree to our use of cookies. Learn more
Support us (New) All problem can be solved using search box ~~I want to sell my website www.AtoZmath.com with complete code~~Powered by Translate HomeWhat's newCollege AlgebraGamesFeedbackAbout us AlgebraMatrix & VectorNumerical MethodsStatistical MethodsOperation ResearchWord ProblemsCalculusGeometryPre-Algebra
Home>Statistical Methods calculators>Mean, Median and Mode for ungrouped data example Median Example for ungrouped data ( Enter your problem ) ( Enter your problem ) 1. Formula & Example 2. Mean Example 3. Median Example 4. Mode ExampleOther related methods 1. Mean, Median and Mode 2. Quartile, Decile, Percentile, Octile, Quintile 3. Population Variance, Standard deviation and coefficient of variation 4. Sample Variance, Standard deviation and coefficient of variation 5. Population Skewness, Kurtosis 6. Sample Skewness, Kurtosis 7. Geometric mean, Harmonic mean 8. Mean deviation, Quartile deviation, Decile deviation, Percentile deviation 9. Five number summary 10. Box and Whisker Plots 11. Construct an ungrouped frequency distribution table 12. Construct a grouped frequency distribution table 13. Maximum, Minimum 14. Sum, Length 15. Range, Mid Range 16. Stem and leaf plot 17. Ascending order, Descending order 2. Mean Example (Previous example)4. Mode Example (Next example) ### 3. Median Example Median : After arranging the observations in ascending (or descending) order, then the middle number is called median. It is denoted by M 1. If n is odd, then M= value of (n+1 2)t h observation 2. If n is even, then M=Value of (n 2)t h observation+Value of (n 2+1)t h observation 2 1. Find the Median of 4,14,12,16,6,3,1,2,3 Solution: Median : Observations in the ascending order are : 1,2,3,3,4,6,12,14,16 Here, n=9 is odd. M= value of (n+1 2)t h observation = value of (9+1 2)t h observation = value of 5 t h observation =4 2. Find the Median of 69,66,67,69,64,63,65,68,72 Solution: Median : Observations in the ascending order are : 63,64,65,66,67,68,69,69,72 Here, n=9 is odd. M= value of (n+1 2)t h observation = value of (9+1 2)t h observation = value of 5 t h observation =67 3. Find the Median of 3,23,13,11,15,5,4,2 Solution: Median : Observations in the ascending order are : 2,3,4,5,11,13,15,23 Here, n=8 is even. M=Value of (n 2)t h observation+Value of (n 2+1)t h observation 2 =Value of (8 2)t h observation+Value of (8 2+1)t h observation 2 =Value of 4 t h observation+Value of 5 t h observation 2 =5+11 2 =8 This material is intended as a summary. Use your textbook for detail explanation. Any bug, improvement, feedback then Submit Here 2. Mean Example (Previous example)4. Mode Example (Next example) Share this solution or page with your friends.
HomeWhat's newCollege AlgebraGamesFeedbackAbout us Copyright © 2025. All rights reserved. Terms, Privacy
1/1 Skip Ad Continue watching after the adVisit Advertiser websiteGO TO PAGE
.
Original text
Rate this translation
Your feedback will be used to help improve Google Translate |
190109 | https://www.berkshirepublishing.com/ecph-china/2018/01/08/liu-hui-fl-third-century/ | Liu Hui (fl. third century) - ecph-china
Skip to content
Professionally edited by native-English speakers|cservice@berkshirepublishing.com
Search for:
China Encyclopedia
Ebook Collection
About
Join Us
China Encyclopedia
Ebook Collection
About
Join Us
Search for:
PreviousNext
Liu Hui (fl. third century)
Liu Hui (fl. third century) was the founder of ancient China’s classical mathematical theories. He lived in the Wei Kingdom in the third century, but the dates of his birth and death are unknown. Most of his greatest achievements were related to Commentary on Nine Chapters on Mathematical Art, a famous Chinese classic of mathematics. Liu first read Nine Chapters on Mathematical Art when he was still a child. As an adult, he conducted in-depth research on its theories and problems. The research bore great fruit in 263, when he finished a ten-volume commentary, in which he analyzed the methods and equations in the classic, corrected its mistakes, and advanced many original theories. His algorithm for calculating square roots, which resembles the modern method, laid essential foundations for improving the accuracy of pi (π) and inventing decimal fractions. He also improved the solutions for linear equations with an ingenious method that is quite similar to the modern one, and created a formula for calculating the sum of a finite arithmetic progression. When analyzing a classic mathematical problem known as “five families sharing one well,” he noted it was actually an indeterminate equation (an equation for which there is more than one solution), making him the first Chinese mathematician to note this concept. He defined many other mathematical concepts as well, including “power,” “equation,” and “positive/negative numbers.” Moreover, he advanced a large number of axioms for proving new theorems. His rigorous, logical approach greatly solidified the factual foundations of both Nine Chapters on Mathematical Art and his own theories. Although he never wrote a systematic treatise, Liu had in fact created a distinctive theoretical system that included definitions, judgments, and most importantly, mathematical proofs. His factual reasoning, independent thinking, and dialectical philosophy became invaluable to later generations of mathematicians.
Biography, Encyclopedia Articles, Science, Technology, and Medicine|
Share This Story, Choose Your Platform!
FacebookXRedditLinkedInTumblrPinterest
Sign up here for free access, news, and discounts: The China Library from Berkshire Publishing!
Berkshire’s China titles are available in print and digital formats via our website (click here) and from many electronic vendors including Oxford Reference Online.
Berkshire China Books – click title for details
Berkshire Encyclopedia of Sustainability – Chinese-language Edition
This Is China: The First 5,000 Years
The Way of Eating
Becoming a Dragon: Forty Chinese Proverbs for Lifelong Learning and Classroom Study
Recipes from the Garden of Contentment
Dictionary of Chinese Biography: Modern Era
Dictionary of Chinese Biography: Complete 4-Volume Set
Eminent Chinese of the Qing Period: 1644-1911/2
The Internet in China: Cultural, Political, and Social Dimensions (1980s-2000s)
Dictionary of Chinese Biography: Prehistory to Xi Jiinping
© Copyright 2025 Berkshire Publishing Group LLC|All Rights Reserved
Page load linkGo to Top |
190110 | https://web.math.princeton.edu/~smorel/adic_notes.pdf | Adic spaces Sophie Morel April 22, 2019 Conventions : - Every ring is commutative.
- N is the set of nonnegative integers.
2 Contents I The valuation spectrum 7 I.1 Valuations . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
7 I.1.1 Valuations and valuation rings . . . . . . . . . . . . . . . . . . . . . . .
7 I.1.2 Some properties of valuations and valuation rings . . . . . . . . . . . . .
10 I.1.3 Rank of a valuation . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
11 I.1.4 Comparing valuation subrings of a field . . . . . . . . . . . . . . . . . .
12 I.1.5 Valuation topology and microbial valuations . . . . . . . . . . . . . . .
13 I.1.6 The Riemann-Zariski space of a field . . . . . . . . . . . . . . . . . . .
17 I.2 The valuation spectrum of a ring . . . . . . . . . . . . . . . . . . . . . . . . . .
19 I.2.1 Definition . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
19 I.2.2 Some topological notions . . . . . . . . . . . . . . . . . . . . . . . . . .
23 I.2.3 The constructible topology . . . . . . . . . . . . . . . . . . . . . . . . .
25 I.2.4 The constructible topology on a spectral space . . . . . . . . . . . . . .
27 I.2.5 A criterion for spectrality . . . . . . . . . . . . . . . . . . . . . . . . . .
29 I.2.6 Spectrality of Spv(A) . . . . . . . . . . . . . . . . . . . . . . . . . . .
31 I.3 The specialization relation in Spv(A) . . . . . . . . . . . . . . . . . . . . . . .
33 I.3.1 Specialization in a spectral space . . . . . . . . . . . . . . . . . . . . . .
34 I.3.2 Vertical specialization . . . . . . . . . . . . . . . . . . . . . . . . . . .
35 I.3.3 Horizontal specialization . . . . . . . . . . . . . . . . . . . . . . . . . .
36 I.3.4 Putting things together . . . . . . . . . . . . . . . . . . . . . . . . . . .
40 I.3.5 Examples . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
44 I.4 Valuations with support conditions . . . . . . . . . . . . . . . . . . . . . . . . .
46 I.4.1 Supports of horizontal specializations . . . . . . . . . . . . . . . . . . .
47 I.4.2 The subspace Spv(A, J) . . . . . . . . . . . . . . . . . . . . . . . . . .
51 II Topological rings and continuous valuations 55 II.1 Topological rings . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
55 II.1.1 Definitions and first properties . . . . . . . . . . . . . . . . . . . . . . .
55 II.1.2 Boundedness . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
57 II.1.3 Bounded sets and continuous maps . . . . . . . . . . . . . . . . . . . .
60 II.1.4 Examples . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
61 II.2 Continuous valuations . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
64 II.2.1 Definition . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
64 II.2.2 Spectrality of the continuous valuation spectrum . . . . . . . . . . . . .
64 II.2.3 Specializations . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
66 3 Contents II.2.4 Analytic points . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
66 II.2.5 Tate rings . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
69 II.3 Constructions with f-adic rings . . . . . . . . . . . . . . . . . . . . . . . . . . .
71 II.3.1 Completions . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
71 II.3.2 Tensor products . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
76 II.3.3 Rings of polynomials . . . . . . . . . . . . . . . . . . . . . . . . . . . .
78 II.3.4 Localizations . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
83 II.4 The Banach open mapping theorem . . . . . . . . . . . . . . . . . . . . . . . .
85 II.4.1 Statement and proof of the theorem . . . . . . . . . . . . . . . . . . . .
86 II.4.2 Applications . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
88 III The adic spectrum 91 III.1 Rings of integral elements . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
91 III.2 The adic spectrum of a Huber pair . . . . . . . . . . . . . . . . . . . . . . . . .
95 III.3 Perturbing the equations of a rational domain . . . . . . . . . . . . . . . . . . .
98 III.4 First properties of the adic spectrum . . . . . . . . . . . . . . . . . . . . . . . . 100 III.4.1 Quotients . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 100 III.4.2 Spa and completion . . . . . . . . . . . . . . . . . . . . . . . . . . . . 101 III.4.3 Rational domains and localizations . . . . . . . . . . . . . . . . . . . . 102 III.4.4 Non-emptiness . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 104 III.5 Examples . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 107 III.5.1 Completed residue fields and adic Points . . . . . . . . . . . . . . . . . 107 III.5.2 The closed unit ball . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 110 III.5.3 Formal schemes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 111 III.6 The structure presheaf . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 112 III.6.1 Universal property of rational domains . . . . . . . . . . . . . . . . . . 112 III.6.2 Definition of the structure presheaf . . . . . . . . . . . . . . . . . . . . . 113 III.6.3 Stalks . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 114 III.6.4 The category V pre . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 118 III.6.5 Adic spaces . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 119 IV When is the structure presheaf a sheaf ?
121 IV.1 The main theorem . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 121 IV.1.1 Statement . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 121 IV.1.2 Examples of strongly Noetherian Tate rings . . . . . . . . . . . . . . . . 122 IV.1.3 Examples of stably uniform Tate rings . . . . . . . . . . . . . . . . . . . 123 IV.2 Some preliminary results . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 126 IV.2.1 Strictness and completion . . . . . . . . . . . . . . . . . . . . . . . . . 126 IV.2.2 The ˇ Cech complex for a special cover . . . . . . . . . . . . . . . . . . . 126 IV.2.3 Refining coverings . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 128 IV.3 Proof of theorem IV.1.1.5 in cases (a), (c) and (d) . . . . . . . . . . . . . . . . . 132 IV.3.1 A local criterion for power-boundedness . . . . . . . . . . . . . . . . . . 132 IV.3.2 Calculation of the ˇ Cech cohomology . . . . . . . . . . . . . . . . . . . . 133 4 Contents IV.3.3 The strongly Noetherian case . . . . . . . . . . . . . . . . . . . . . . . . 136 IV.3.4 Cases (c) and (d) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 137 IV.3.5 Case (a) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 139 V Perfectoid algebras 141 V.1 Perfectoid Tate rings . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 141 V.1.1 Definition and basic properties . . . . . . . . . . . . . . . . . . . . . . . 141 V.1.2 Tilting . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 146 V.1.3 Witt vectors . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 151 V.1.4 Untilting . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 152 V.1.5 A little bit of almost mathematics . . . . . . . . . . . . . . . . . . . . . 156 V.1.6 Tilting and the adic spectrum . . . . . . . . . . . . . . . . . . . . . . . . 164 V.2 Perfectoid spaces . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 169 V.3 The almost purity theorem . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 170 V.3.1 Statement . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 170 V.3.2 The trace map and the trace pairing . . . . . . . . . . . . . . . . . . . . 173 V.3.3 From almost finite ´ etale to finite ´ etale . . . . . . . . . . . . . . . . . . . 174 V.3.4 The positive characteristic case . . . . . . . . . . . . . . . . . . . . . . . 176 V.3.5 Deforming almost finite ´ etale extensions . . . . . . . . . . . . . . . . . . 178 V.3.6 The case of perfectoid fields . . . . . . . . . . . . . . . . . . . . . . . . 179 V.3.7 Proof of theorems V.3.1.3 and V.3.1.9 . . . . . . . . . . . . . . . . . . . 181 5 I The valuation spectrum I.1 Valuations I.1.1 Valuations and valuation rings Notation I.1.1.1. If R is a local ring, we denote its maximal ideal by mR.
Definition I.1.1.2. If A ⊂B are local rings, we say that B dominates A if mA ⊂mB (which is equivalent to mA = A ∩mB).
Remark I.1.1.3. If K is a field, domination is an order relation on local subrings of K.
Proposition I.1.1.4. Let K be a field and R ⊂K be a subring. The following are equivalent : (a) R is local and it is maximal for the relation of domination (amnog local subrings of K); (b) for every x ∈K×, we have x ∈R or x−1 ∈R; (c) Frac(R) = K, and the set of ideals of R is totally ordered for inclusion; (c) Frac(R) = K, and the set of principal ideals of R is totally ordered for inclusion.
If these conditions are satisfied, we say that R is a valuation subring of K.
Remark I.1.1.5. We use the convention that K is a valuation subring of itself.
Now we define valuations.
Definition I.1.1.6. An ordered abelian group is an abelian group (Γ, +) with an order relation ≤such that for all a, b, c ∈Γ, a ≤b ⇒a + c ≤b + c.
We will only be interested in totally ordered abelian groups. Here are some examples.
Example I.1.1.7.
- (R, +) with its usual order relation; more generally, any subgroup of (R, +), for example (Z, +).
- (R>0, ×) with its usual order relation. Note that this is isomorphic (as an ordered group) to (R, +) by the map log.
- (R × R, +) with the lexicographic order; more generally, (Rn, +) with the lexicographic order, for any positive integer n.
7 I The valuation spectrum Remark I.1.1.8. Let (Γ, ×) be a totally ordered abelian group .
(1) Γ is torsionfree : Indeed, if γ ∈Γ is a torsion element, then there is some positive integer n such that γn = 1. If γ ≤1, then 1 ≤γ ≤γn = 1, so γ = 1. If γ ≤1, then 1 ≥γ ≥γ2 = 1, so γ = 1.
(2) Suppose that Γ is not the trivial group. Then, for every γ ∈Γ, there exists γ′ ∈Γ such that γ′ < γ. Indeed, if γ > 1 then γ−1 < γ, if γ < 1 then γ2 < γ, and if γ = 1 then there exists some δ ∈Γ −{1} (because Γ is not trivial), and then either δ < 1 or δ−1 < 1.
Notation I.1.1.9. Let Γ be a totally ordered abelian group . We will want to add an element to Γ that is bigger or smaller than all the elements of Γ. More precisely : (a) If the group law of Γ is written additively, we denote the unit element of Γ by 0, and we write Γ ∪{∞} for the union of Γ and of an element ∞, and we extend + and ≤to this set by the following rules : for every a ∈Γ, • a + ∞= ∞+ a = ∞; • a ≤∞.
(b) If the group law of Γ is written multiplicatively, we denote the unit element of Γ by 1, and we write Γ ∪{0} for the union of Γ and of an element 0, and we extend × and ≤to this set by the following rules : for every a ∈Γ, • a × 0 = 0 × a = 0; • 0 ≤a.
Definition I.1.1.10. Let R be a ring.
(i) An additive valuation on R is a map v : R →Γ ∪{∞}, where (Γ, +) is a totally ordered abelian group , satisfying the following conditions : • v(0) = ∞, v(1) = 0; • ∀x, y ∈R, v(xy) = v(x) + v(y); • ∀x, y ∈R, v(x + y) ≥min(v(x), v(y)).
The value group of v is the subgroup of Γ generated by Γ ∩v(R). The kernel (or support) of v is Ker(v) = {x ∈R | v(x) = ∞}; it is a prime ideal of R.
(ii) A multiplicative valuation (or non-Archimedean absolute value) on R is a map |.| : R →Γ ∪{0}, where (Γ, ×) is a totally ordered abelian group , satisfying the fol-lowing conditions : • |0| = 0, |1| = 1; • ∀x, y ∈R, |xy| = |x||y|; • ∀x, y ∈R, |x + y| ≤max(|x|, |y|).
8 I.1 Valuations The value group of |.| is the subgroup of Γ generated by Γ ∩|R|. The kernel (or support) of |.| is Ker(|.|) = {x ∈R | |x| = 0}; it is a prime ideal of R.
Remark I.1.1.11. Of course, whether we write the group law of a given totally ordered abelian group Γ additively or multiplicatively is an arbitrary choice. Fix Γ. Note that a map v : R →Γ ∪{∞} is an additive valuation if and only if −v is a multiplicative valuation (with the obvious convention that minus the biggest element is a new smallest element). This is a bit unfortunate, as both expressions “additive valuation” and “multiplicative valuation” are often shortened to “valuation”, but hopefully the meaning is always clear from context. Modulo this sign issue, both definitions are equivalent, and the notions of value group and kernel are the same on both sides.
In these notes, we will eventually take all valuations to be multiplicative (as this is the usual convention for adic spaces), and “valuation” will mean “multiplicative valuation”. Note however that some commutative algebra references, Matsumura’s or Bourbaki’s for example, use additive valuations.
Example I.1.1.12.
(1) Let Γ = ({1}, ×). Suppose that R is an integral domain. Then there is a valuation |.|triv : R →Γ ∪{0}, called the trivial valuation, defined by : |0| = 0 and |x| = 1 for every x ̸= 0. Its value group is {1} and its kernel is {0}.
(2) More generally, if R is a ring and ℘is a prime ideal of R, then composing the quotient map R →R/℘with the trivial valuation on R/℘gives a valuation on R with value group {1} and kernel ℘. We call this the trivial valuation on R with kernel ℘. We will often denote it by |.|℘,triv.
(3) For every prime number ℓ, the usual ℓ-adic valuation vℓ: Q →Z ∪{∞} is an additive valuation on Q (and on all its subrings), and the ℓ-adic absolute value |.|ℓ: Q →R≥0 is a multiplicative valuation on Q. They are related by |.|ℓ= ℓ−vℓ, and for our purposes they are interchangeable.
(4) By Ostrowski’s theorem, every nontrivial valuation on Q is of the form |.|s ℓ, for some prime number ℓand some s ∈R>0. It is easy to deduce from this that the valuations on Z are the trivial valuation, the valuation described in point (2) (one for each prime number ℓ), and the valuation |.|s ℓ, for ℓa prime number and s ∈R>0.
Definition I.1.1.13. Let R be a ring and |.|1, |.|2 be two valuations on R. We denote by Γ1 and Γ2 their respective value groups. We say that |.|1 and |.|2 are equivalent if there exists an isomorphism of ordered groups ϕ : Γ1 ∼ →Γ2 such that ϕ ◦|.|1 = |.|2 (with the convention that ϕ(0) = 0).
We compare the notions of valuations on a field and of valuation subrings of this field.
Proposition I.1.1.14. Let K be a field.
(i) If v : K →Γ ∪{0} is a valuation, then R := {x ∈K | |x| ≤1} is a valuation subring of K, and its maximal ideal is given by the formula mR = {x ∈K | |x| < 1}.
9 I The valuation spectrum (ii) Let R be a valuation subring of K. Let Γ = K×/R×; for a, b ∈K×, we write aR× ≤bR× if ab−1 ∈R. Then this makes Γ into a totally ordered abelian group , and the map |.| : K →Γ ∪{0} defined by |0| = 0 and |a| = aR× if a ̸= 0 is a valuation on K.
(iii) The constructions of (i) and (ii) induce inverse bijections between the set of valuation subrings of K and the set of equivalence classes of valuations on K.
Notation I.1.1.15. If K is a field and R ⊂K is a valuation subring, we denote by ΓR = K×/R× the value group of the corresponding valuation on K, and we call it the value group of R. We also denote by |.|R : K →ΓR ∪{0} the valuation defined by R.
Example I.1.1.16. The valuation subring of Q corresponding to the ℓ-adic absolute value |.|ℓis Z(ℓ), with maximal ideal ℓZ(ℓ).
I.1.2 Some properties of valuations and valuation rings Proposition I.1.2.1. Let K be a field and R ⊂K be a valuation subring. Then : (i) R is integrally closed in K.
(ii) Every finitely generated ideal of R is principal (in other words, R is a B´ ezout domain).
(iii) If I ⊂R is a finitely generated ideal, then ℘= √ I is a prime ideal of R, and it is minimal among prime ideals of R containing I.
Theorem I.1.2.2. Let K be a field and A be a subring of K.
(i) ( Theorem 10.2) Let ℘be a prime ideal of A. Then there exists a valuation subring R ⊃A of K such that ℘= A ∩mR.
(ii) ( Theorem 10.4) Let B be the integral closure of A in K. Then B is the intersection of all the valuation subrings of K containing A.
Proposition I.1.2.3. ( §2 No3 prop. 1 and prop. 2, and No4 prop. 4.) Let K be a field, |.| : K →Γ ∪{0} be a multiplicative valuation and K′ be an extension of K. Then there exists a multiplicative valuation |.|′ : K′ →Γ′ ∪{0} such that |.|′ |K is equivalent to |.|.
Moreover, if x1, . . . , xn ∈K′ are algebraically independent over K and γ1, . . . , γn ∈Γ, then we can find such a |.|′ such that |xi|′ = γi for every i ∈{1, . . . , n}.
Corollary I.1.2.4. (Proposition 2.25 of .) Let K′/K be a field extension, let R′ be a valu-ation subring of K′, and set R = K ∩R′. Then R is a valuation subring of K, and the map S′ 7− →K ∩S′ induces surjections {valuation subrings R′ ⊂S′ ⊂K′} →{valuation subrings R ⊂S ⊂K} and {valuation subrings S′ ⊂R′ ⊂K′} →{valuation subrings S ⊂R ⊂K}.
Moreover, if the extension K′/K is algebraic, then these surjections are actually bijections.
10 I.1 Valuations I.1.3 Rank of a valuation We first define the height of a totally ordered abelian group Γ.
Definition I.1.3.1. ( §4 No2 D´ efinition 1 p. 108) Let Γ be a totally ordered abelian group . A convex subgroup (or isolated subgroup) of Γ is a subgroup ∆of Γ such that, for all a, b, c ∈Γ, if a ≤b ≤c and a, c ∈∆, then b ∈∆.
Remark I.1.3.2. The condition in definition I.1.3.1 is also equivalent to the following condition (using additive conventions for Γ) : () for all a, b ∈Γ such that 0 ≤a ≤b, if b ∈∆, then a ∈∆.
Indeed, the condition of definition I.1.3.1 is obviously stronger than (). Conversely, suppose that ∆satisfies (), and let a, b, c ∈Γ such that a ≤b ≤c and a, c ∈∆; then 0 ≤b −a ≤c −a and c −a ∈∆, so b −a ∈∆by (), hence b = (b −a) + a ∈∆.
Example I.1.3.3.
(1) {0} and Γ are convex subgroups of Γ.
(2) If Γ = R × R with the lexicogrpahic order, then {0} × R is a convex subgroup of Γ.
Proposition I.1.3.4. ( §4 No4 p. 110) The set of all convex subgroups of Γ, ordered by inclu-sion, is a well-ordered set. Its ordinal is called the height of Γ and denoted by ht(Γ).
Example I.1.3.5.
(1) If ht(Γ) = 0, then Γ has only one convex subgroup. As {0} and Γ are always convex subgroups, this means that Γ is the trivial group.
(2) The condition ht(Γ) = 1 means that Γ is nontrivial and that the only convex subgroups of Γ are the trivial subgroup and Γ itself. For example, if Γ is a nontrivial subgroup of (R, +), then Γ has height 1. (We will see in proposition I.1.3.6 that the converse is true.) (3) Γ = Rn (with the lexicographic order) has height n. (See proposition I.1.4.1.) In these notes, we mostly care about the distinction “height ≤1” versus “height > 1”.
Proposition I.1.3.6. ( Theorem 10.6 or §4 No5 proposition 8 p. 112) Let (Γ, +) be a nontrivial totally ordered abelian group . The following are equivalent : (i) ht(Γ) = 1; (ii) for all a, b ∈Γ such that a > 0 and b ≥0, there exists n ∈N such that b ≤na; (iii) there exists an injective morphism of ordered groups Γ →(R, +).
Proof.
(i)⇒(ii) Consider the smallest convex subgroup ∆of Γ containing a. Condition (i) means that ∆= {0} or ∆= Γ, so ∆= Γ. This obviously implies (ii).
11 I The valuation spectrum (ii)⇒(iii) We will just indicate the construction of the map ϕ : Γ →R. Fix some a ∈Γ such that a > 0. Let b ∈Γ, and let n0 = min{n ∈Z | na ≤b} (this makes sense by (ii)) and b1 = b −n0a. We define sequences (ni)i≥1 of N and (bi)i≥1 of Γ by induction on i in the following way : Suppose that we have defined b1, . . . , bi and n1, . . . , ni−1, for some i ≥1. Then we set ni = min{n ∈N | nia ≤10bi} and bi+1 = 10bi −nia. Then we take ϕ(b) = n0 + P i≥1 ni10−i.
Definition I.1.3.7. The rank of a valuation (resp. of a valuation ring) if the height of its value group.
I.1.4 Comparing valuation subrings of a field Proposition I.1.4.1. ( §4 No2 proposition 3 p. 108 and §4 No4 Exemples p. 111) Let Γ be a totally ordered abelian group .
(i) If ϕ : Γ →Γ′ is a morphism of ordered groups, then Ker ϕ is a convex subgroup of Γ.
(ii) Let ∆be a convex subgroup of Γ. We define a relation ≤on Γ/∆in the following way : if c, c′ ∈Γ/∆, then c ≤c′ if and only if there exists x ∈c and x′ ∈c′ such that x ≤x′ in Γ.
Then this makes Γ/∆into an ordered group (necessarily totally ordered) if and only if ∆ is a convex subgroup.
(iii) In the situation of (ii), we have ht(Γ) = ht(∆) + ht(Γ/∆).
Theorem I.1.4.2. ( theorem 10.1 or §4 No1 p. 106) Let K be a field.
(i) Let B ⊂A ⊂K be two subrings of K, and suppose that B is a valuation subring of K.
Then : (a) A is also a valuation subring of K.
(b) mA ⊂mB, with equality if and only if A = B.
(c) mA is a prime ideal of B, and we have A = BmA.
(d) B/mA is a valuation subring of the field A/mA.
(ii) Conversely, let A ⊂K be a valuation subring, let B be a valuation subring of A/mA, and denote by B the inverse image of B in A. Then B is a valuation subring of K (in particular, K = Frac(B)), its maximal ideal is the inverse image of the maximal ideal of B, and we have an exact sequence of ordered groups : 1 →ΓB →ΓB →ΓA →1, where the maps ΓB = (A/mA)×/(B/mA)× ≃A×/B× →ΓB = K×/B× and ΓB = K×/B× →ΓA = K×/A× are the obvious ones.
12 I.1 Valuations Example I.1.4.3. Take K = k((u))((t)) and A = k((u)) (the valuation subring correspond-ing to the t-adic valuation on K). Then A/mA = k((u)) has the u-adic valuation, and the corresponding valuation subring is B = k. Its inverse image in A is B = {f = X n≥0 fntn ∈k((u)) | f0 ∈k}.
This is a valuation subring of rank 2 of K, and its value group is Z × Z (with the lexicographic order).
Corollary I.1.4.4. ( §4 No1 proposition 1 p. 106 and §4 No3 proposition 4 p. 109) Let K be a field and B ⊂K be a valuation subring.
(i) The map ℘7− →B℘is an order-reversing bijection from the set of prime ideals of B to the set of subrings of K containing B; its inverse is A 7− →mA.
(ii) The map A 7− →Ker(ΓB →ΓA) is an order-preserving bijection from the set of subrings A ⊃B of K to the set of convex subgroups of ΓB. Its inverse sends a convex subgroup H of ΓB to the subring A := B℘, where ℘= {x ∈B | ∀δ ∈H, |x|B < δ}.
Corollary I.1.4.5. Let K be a field and R ⊂K be a valuation subring. Then the rank of R is equal to the Krull dimension of R.
Corollary I.1.4.6. ( §4 No5 proposition 6 p. 111) Let K be a field and R ⊂K be a valuation subring. Then R has rank 1 if and only if it is maximal among all the subrings of K distinct from K.
Note also the following result : Proposition I.1.4.7. ( §3 No6 proposition 9 p. 105) Let K be a field and R ⊂K be a valuation subring. The following are equivalent : (i) R is a principal ideal domain.
(ii) R is Noetherian.
(iii) The ordered group ΓR is isomorphic to (Z, +, ≤).
(iv) The ideal mR is principal and T n≥0 Rn = (0).
If these conditions are satisfied, we say that R is a discrete valuation ring and that the corre-sponding valuation on K is discrete.
I.1.5 Valuation topology and microbial valuations Definition I.1.5.1. Let R be a ring and |.| : R →Γ ∪{0} be a valuation on R.
The valuation topology on R associated to |.| is the topology given by the base of open subsets B(a, γ) = {x ∈R | |x −a| < γ}, for a ∈R and γ ∈Γ.
13 I The valuation spectrum This makes R into a topological ring, and the map |.| is continuous if we put the discrete topology on Γ ∪{0}. (See §5 No1 for the case of a field, the general case is similar.) Remark I.1.5.2. Let R and |.| be as in definition I.1.5.1.
(1) The valuation topology is Hausdorff if and only Ker |.| = {0} (which implies that R is a domain).
(2) If the value group of |.| is trivial, then the valuation topology is the discrete topology.
(3) For every a ∈R and every γ ∈Γ, let B(a, γ) = {x ∈R | |x −a| ≤γ}. This is an open subset in the valuation topology; indeed, for every x ∈B(a, γ), we have B(x, γ) ⊂B(a, γ).
Suppose that the value group of |.| is not trivial.
Then the sets B(a, γ) also form a base of the valuation topology. Indeed, for every a ∈R and every γ ∈Γ, we have B(a, γ) = S δ<γ B(a, δ). (This uses remark I.1.1.8(2), and it is not true in general if the value group is trivial, as then all the sets B(a, γ) are equal to R, so they cannot form a base of the discrete topology unless R = {0}.) Definition I.1.5.3. Let R be a topological ring. An element x ∈R is called topologically nilpotent if 0 is a limit of the sequence (xn)n≥0 Theorem I.1.5.4. Let K be a field, let |.| : K →Γ ∪{0} be a valuation, and let R be the corresponding valuation ring. We put the valuation topology on K.
Then the following are equivalent : (i) The topology on K coincides with the valuation topology defined by a rank 1 valuation on K.
(ii) There exists a nonzero topologically nilpotent element in K.
(iii) R has a prime ideal of height 1.1 If these conditions are satisfied, we say that the valuation |.| is microbial. Moreover, if the valuation is microbial, then : (a) If ϖ ∈K× is topologically nilpotent, we have K = R[ϖ−1], and, if ϖ ∈R, then the subspace topology on R coincides with the ϖR-adic topology and also with the ϖ-adic topology.
(b) If ℘is a prime ideal of height 1 of R, then the valuation subring R℘has rank 1, and the corresponding valuation defines the same topology as |.|.
Note that, as the ideals of R are totally ordered by inclusion, R has at most one prime ideal of height 1.
1That is, a prime ideal that is minimal among the set of nonzero prime ideals of R.
14 I.1 Valuations Example I.1.5.5. We use the notation of example I.1.4.3. We claim that the valuation subrings A and B define the same topology on K = k((u))((t)). Indeed, the valuation corresponding to A is the t-adic valuation, which has rank 1, so we can try to apply theorem I.1.5.4 to B. We know that B has Krull dimension 2, so any prime ideal that is neither (0) not maximal has height 1; this is the case for I := tB, which is prime and not maximal because B/I = k by definition of B. Also, we see easily that I = mA, so we are done by point (b) of the theorem.
Lemma I.1.5.6. Let K be a field and |.| be a valuation on K with valuation ring R. Then R and mR are open for the valuation topology.
Proof. In the notation of definition I.1.5.1 and remark I.1.5.2, we have R = B(0, 1) and mR = B(0, 1).
Lemma I.1.5.7. Let R be a ring and |.| be a valuation on R. If x ∈R is topologically nilpotent for the valuation topology, then |x| < 1. If moreover |.| has rank 1, then the converse is true.
Proof. Suppose that |x| ≥1. Then, for every integer n ≥1, we have |xn| ≥1, so xn ̸∈B(0, 1), which implies that 0 is not a limit of the sequence (xn)n≥0.
Conversely, suppose that the valuation has rank 1 and that |x| < 1. Let Γ be the value group of |.|, and let γ = |x|−1 > 1. Let δ ∈Γ. By proposition I.1.3.6, there exists n ∈N such that δ−1 < γm for every m ≥n, and then we have : for every m ≥n, |xm| = γ−m < δ, that is, xm ∈B(0, δ). This shows that 0 is a limit of the sequence (xn)n≥0.
Remark I.1.5.8. The converse in lemma I.1.5.7 is not true for a valuation of rank > 1.
For example, take K = k((u))((t)) with the rank 2 valuation defined by the valuation ring B of example I.1.4.3. Then u ∈mB so it has valuation < 1, but it is not topologically nilpotent.
Indeed, by example I.1.5.5, the valuation topology on K coincides with the the t-adic topology, and the sequence (un)n≥0 does not tend to 0 in the t-adic topology.
Lemma I.1.5.9. Let K be a field and |.| be a valuation on K with valuation ring R. If ϖ ∈K× is topologically nilpotent for the valuation topology, then K = R[ϖ−1]. Moreover, there exists a positive integer r such that ϖr ∈R (or even ϖn ∈mR), and then the subspace topology on R coincides with the ϖrR-adic topology.
Proof. By lemma I.1.5.6, R and mR are open neighborhoods of 0 in K. As the sequence (ϖn)n≥0 converges to 0, we have ϖn ∈mR for n big enough. So we may assume that ϖ ∈R.
We first show that K = R[ϖ−1]. Let x ∈K. We want to prove that xϖn ∈R for n big enough. This is obvious if x = 0, so we may assume x ̸= 0. By definition of R, we have xϖn ∈R if and only if |xϖn| ≤1, i.e. if and only if |ϖn| ≤|x|−1. As ϖ is topologically nilpotent, we have ϖn ∈B(0, |x|−1) for n big enough, which implies the desired result.
15 I The valuation spectrum Now we prove that the subspace topology on R is the ϖR-adic topology. First, as ϖ ∈K×, multiplication by ϖ is a homeomorphism of K. So the subsets ϖnR are open for every n ∈Z.
It remains to show that the family (ϖnR)n≥0 is a basis of neighborhoods of 0. Let γ ∈Γ, where γ is the value group of |.|. We want to find some n ≥0 such that ϖnR ⊂B(0, γ). Let n ∈N.
Then ϖnR ⊂B(0, γ) if and only if, for every a ∈R, |aϖn| < γ. As every a ∈R has valuation ≤1, this will hold if |ϖn| < γ. But ϖn →0 as n →+∞, so |ϖn| < γ for n big enough.
Proof of theorem I.1.5.4. Note that point (a) follows from lemma I.1.5.9.
(i)⇒(ii) Let |.|′ be a rank 1 valuation on K defining the same topology as |.|. Then any x ∈K× with |x|′ < 1 is topologically nilpotent by lemma I.1.5.7. (Such an element exists because the value group of |.|′ has rank 1, so it is not trivial, so it at least one element < 1, and this element must be the image of a nonzero element of K.) (ii)⇒(iii) Let ϖ ∈K× be a topologically nilpotent element. By lemma I.1.5.9, we may assume that ϖ ∈mR, and the subspace topology on R is the I-adic topology, where I = ϖR. Let ℘= √ I. By proposition I.1.2.1, ℘is the smallest prime ideal of R containing I. We show that ℘has height 1. Let q ⊊℘be another prime ideal of R; we want to show that q = (0).
Note that q does not contain I (otherwise it would contain ℘), and so ϖ ̸∈q. As the ideals of R are totally ordered by inclusion (see proposition I.1.1.4, we must have q ⊂I. We show by induction on n that q ⊂In for every n ≥1 : • We just did the case n = 1.
• Suppose that q ⊂In = ϖnR. Let x ∈q. As q ⊂ϖR, we can write x = ϖy, with y ∈R.
As q is prime and ϖ ̸∈q, this implies that y ∈q, and so x = ϖy ∈ϖIn = In+1.
But we have seen that the topology on R is the I-adic topology, and it is Hausdorff because Ker |.| = {0} (remember that Ker |.| is an ideal of K). So T n≥1 In = (0), and q = (0).
(iii)⇒(i) Let ℘be a height 1 prime ideal of R, and let R′ = R℘. Then R′ is also a valuation subring of R. Also, the Krull dimension of R′ is the height of ℘, i.e. 1, so the rank of the valuation corresponding to R′ is 1 by corollary I.1.4.5. So we need to show that the valuation topol-ogy corresponding to R′ coincides with the valuation topology corresponding to R (this will also prove point (b)). Let |.| (resp. |.|′) be the valuation corresponding to R (res. R′), and Γ = K×/R× (resp. Γ′ = K×/R′×) be its value. We denote the obvious projection Γ →Γ′ by π; this is order-preserving by theorem I.1.4.2(ii). Note that Γ is not trivial (because R has a prime ideal of height 1, so it cannot be equal to K).
Let a ∈R and γ ∈Γ. If |x −a| ≤γ, then |x −a|′ ≤π(γ) (because π is order-preserving).
So B(a, γ) ⊂{x ∈R | |x −a|′ ≤π(γ)}.
16 I.1 Valuations Also, if |x −a| ≥γ, then |x −a|′ ≥π(γ). So B(a, γ) ⊃{x ∈R | |x −a|′ < π(γ)}.
Thanks to remark I.1.5.2(3), this implies that the two valuation topologies on K are equal.
I.1.6 The Riemann-Zariski space of a field This is a simple example of valuation spectrum, and it will also be useful to understand the general case.
Let K be a field and A ⊂K be a subring.
Definition I.1.6.1. We say that a valuation subring R ⊂K has a center in A if A ⊂R; in that case, the center of R in A is the prime ideal A ∩mR of A.
Definition I.1.6.2. The Riemann-Zariski space of K over A is the set RZ(K, A) of valuation subrings R ⊃A of K. We put the topology on it with the following base of open subsets (sometimes called Zariski topology) : the sets U(x1, . . . , xn) = RZ(K, A[x1, . . . , xn]) = {R ∈RZ(K, A) | x1, . . . , xn ∈R}, for x1, . . . , xn ∈K. (If |.| is the valuation on K corresponding to R, the condition that R ⊃A becomes |a| ≤1 for every a ∈A, and the condition that R ∈RZ(K, A) becomes |xi| ≤1 for 1 ≤i ≤n.) If A is the image of Z, we write RZ(K, Z) = RZ(K) and we call it the Riemann-Zariski space of K; this is the set of all valuation subrings of K.
Note that U(x1, . . . , xn) ∩U(y1, . . . , ym) = U(x1, . . . , xn, y1, . . . , ym), so this does define a topology on RZ(K, A).
Example I.1.6.3. Let k be a field, X/k be a smooth projective geometrically connected curve and K be the function field of X. Then RZ(K, k) is canonically isomorphic to X as a topological space.
More generally, if K/k is a finitely generated field extension, then RZ(K, k) is isomorphic (as a topological space) to the inverse limit of all the projective integral k-schemes with function field K.
See also example I.2.1.6 for a description of RZ(Q).
Remark I.1.6.4. Let R, R′ ∈RZ(K, A). Then R is a specialization of R′ in RZ(K, A) (i.e. R is in the closure of {R′}) if and only if R ⊂R′.
Indeed, R is a specialization of R′ if and only every open set of RZ(K, A) that contains R also contains R′. This means that, for all a1, . . . , an ∈K such that a1, . . . , an ∈R, we must also have a1, . . . , an ∈R′, so it is equivalent to the fact that R ⊂R′.
17 I The valuation spectrum Here is a particular case of the topological results to come.
Proposition I.1.6.5. ( theorem 10.5) RZ(K, A) is quasi-compact.
Proof. We write X = RZ(K, A). Let A be a family of closed subsets of X having the finite intersection property. We must show that T F∈A F ̸= ∅. Using Zorn’s lemma, we can replace with a family of closed subsets of X having the finite intersection property and maximal among all families of closed subsets of X having the finite intersection property. Then the following hold (otherwise, we could enlarge A without losing the finite intersection property) : (a) if F1, . . . , Fr ∈A , then F1 ∩. . . ∩Fr ∈A ; (b) if Z1, . . . , Zr are closed subsets of X and Z1 ∪. . . ∪Zr ∈A , then at least one of the Zi is in A ; (c) if F ∈A and Z ⊃F is a closed subset of X, then Z ∈A .
We claim that \ F∈A F = \ a∈K|X−U(a)∈A (X −U(a)).
Indeed, it is obvious that the right hand side is contained in the left hand side. Conversely, let x ∈X, and suppose that x ̸∈T F∈A F. Then there exists F ∈A such that x ̸∈F. As X −F is open, there exists a1, . . . , an ∈K such that x ∈U(a1, . . . , an) and U(a1, . . . , an)∩F = ∅. Then F ⊂X −U(a1, . . . , an) = Sn i=1(X −U(ai)), so, by (b) and (c), there exists i ∈{1, . . . , n} such that X −U(ai) ∈A . As x ∈U(a1, . . . , an) ⊂U(ai), we have x ∈X −U(ai). This finishes the proof of the claim.
Now let C = {a ∈K× | X −U(a−1) ∈A }. If a point x ∈X corresponds to a valuation subring A ⊂R ⊂K, then, for every a ∈K× : x ∈X −U(a−1) ⇔a−1 ̸∈R ⇔a ∈mR.
So : \ F∈A F = \ a∈C (X −U(a−1)) = {R ∈RZ(K, A) | mR ⊃C}.
Let I be the ideal of A[C] generated by C. If 1 ∈I, then there exist a1, . . . , an ∈C such that 1 ∈Pn i=1 aiA[C], and then Tn i=1(X −U(a−1 i )) = ∅, which contradicts the fact that A has the finite intersection property. So 1 ̸∈I, hence I is contained in a prime ideal of A, so, by theorem I.1.2.2(i), there exists a valuation subring A ⊂R ⊂K such that I ⊂mR, and then R ∈T F∈A F.
18 I.2 The valuation spectrum of a ring I.2 The valuation spectrum of a ring I.2.1 Definition Definition I.2.1.1. Let A be a commutative ring. The valuation spectrum Spv(A) of A is the set of equivalence classes of valuations on A, equipped for the topology generated by the subsets U f1, . . . , fn g = {|.| ∈Spv(A) | |f1|, . . . , |fn| ≤|g| ̸= 0}, for all f1, . . . , fn, g ∈A. (Note that this subset is empty if g = 0.) Note that U f1, . . . , fn g ∩U f ′ 1, . . . , f ′ m g′ = U f1g′, . . . , fng′, f ′ 1g, . . . , f ′ mg gg′ .
In particular, we can use the subsets U f g , f, g ∈A, to generate the topology of Spv(A).
Remark I.2.1.2. Let X be the set of pairs (℘, R), where ℘is a prime ideal of A and R is a valuation subring of Frac(A/℘). Then Spv(A) and X are naturally in bijection. Indeed, if (℘, R) ∈X, then we get a valuation on A by composing the quotient map A →A/℘with the valuation on Frac(A/℘) defined by R as in proposition I.1.1.14(ii). Conversely, if |.| is a valuation on A, then ℘:= Ker |.| is a prime ideal of A, and |.| defines a valuation on the domain A/℘, hence also on its fraction field; we take for R the valuation subring of that valuation, as in proposition I.1.1.14(i). It follows easily from proposition I.1.1.14(iii) that these maps are inverse bijections.
For f1, . . . , fn, g ∈A, the image of the open subset U f1,...,fn g by this bijection is {(℘, R) ∈X | g ̸∈℘and ∀i ∈{1, . . . , n}, (fi + ℘)(g + ℘)−1 ∈R}, where (fi + ℘)(g + ℘)−1 is an element of Frac(A/℘) (this makes sense because the image of g in A/℘is nonzero by the first condition).
In particular, we get a canonical map supp : Spv(A) →Spec(A) that sends a valuation to its kernel or support.
Notation I.2.1.3. If x ∈Spv(A) corresponds to the pair (℘, R), we write ℘x = ℘, Rx = R, Γx = ΓR, K(x) = Frac(A/℘x), and we denote by |.|x : A →Γx ∪{0} the composition of A →A/℘x and of the valuation corresponding to Rx on K(x). For f ∈A, we often write f(x) for the image of f in A/℘x, and |f(x)| for the image of f(x) in Γx.
Proposition I.2.1.4. Let A be a commutative ring.
19 I The valuation spectrum (i) If A is a field, then Spv(A) = RZ(A) (as topological spaces).
(ii) In general, the map supp : Spv(A) →Spec(A) is continuous and surjective. For every ℘∈Spec(A), the fiber of this map over ℘is isomorphic (as a topological space) to RZ(Frac(A/℘)).
Proof.
(i) This is a particular case of (ii).
(ii) For every ℘∈Spec(A), we have (℘, Frac(A/℘)) ∈supp−1(℘), so supp is surjective.
Next, for every f ∈A, we have supp−1(D(f)) = {(℘, R) ∈Spv(A) | f ̸∈℘} = U f f (where D(f) = {℘∈Spec(A) | f ̸∈℘}), so supp is continuous.
Finally, fix ℘∈Spec(A).
Then supp−1(℘) = {(℘, R) | R ∈Frac(A/℘)} is canonically in bijection with RZ(Frac(A/℘)). Moreover, if f1, . . . , fn, g ∈A, then the intersection U f1,...,fn g ∩supp−1(℘) is empty if g ∈℘, and, if g ̸∈℘, it is equal to {(℘, R) ∈supp−1(℘) | (f1 + ℘)(g + ℘)−1, . . . , (fn + ℘)(g + ℘)−1 ∈R}, which corresponds by the bijection supp−1(℘) ≃ RZ(Frac(A/℘)) to the open subset U((f1 + ℘)(g + ℘)−1, . . . , (fn + ℘)(g + ℘)−1).
So the bijection supp−1(℘) ≃RZ(Frac(A/℘)) is a homeomorphism.
Remark I.2.1.5. The map supp : Spv(A) →Spec(A) has an obvious section, sending a prime ideal ℘of A to the pair (℘, Frac(A/℘)) (in terms of valuations, this is the composition of the quotient map A →A/℘and of the trivial valuation on A/℘). This section is also a continuous map, because the inverse image of the open set U f1,...,fn g is {℘∈Spec(A) | g ̸∈℘}, which is open in Spec(A).
Example I.2.1.6.
(1) We have (see example I.1.1.12(4) Spv(Q) = RZ(Q) = {|.|triv, |.|ℓ, ℓ∈Z prime}.
By remark I.1.6.4, the trivial valuation |.|triv is the generic point of Spv(Q), and each |.|ℓ is a closed point. In fact, for all f1, . . . , fn, g ∈Z such that g ̸= 0, we have U f1, . . . , fn g = {|.|triv} ∪{|.|ℓ, for ℓnot dividing g}.
So Spv(Q) is isomorphic to Spec(Z) as a topological space.
20 I.2 The valuation spectrum of a ring (2) We have Spv(Z) = Spv(Q) ∪{|.|ℓ,triv, ℓ∈Z prime}, where |.|ℓ,triv is the composition of Z →Z/ℓZ and of the trivial valuation on Z/ℓZ. Note that Spv(Q) = supp−1((0)) and {|.|ℓ,triv} = supp−1(ℓZ). The points |.|ℓ,triv are all closed, we have {|.|ℓ} = {|.|ℓ, |.||ell,triv} (so |.|ℓspecializes to |.|ℓ), and the point |.|triv is generic.
Indeed, note that, for x, y in a topological space X, y specializes to x if and only if ev-ery open subset of X that contains x also contains y. Let f1, . . . , fn, g ∈Z, and let U = U f1,...,fn g . As U = ∅if g = 0, we assume that g ̸= 0. Then |.|triv is always in U, |.|ℓ,triv is in U if and only if g ̸∈ℓZ and |.|ℓis in U if and only if f1g−1, . . . , fng−1 ∈Z(ℓ) (which is automatically true if g ̸∈ℓZ).
Definition I.2.1.7. Let ϕ : A →B be a morphism of rings. We denote by Spv(ϕ) the map Spv(B) →Spv(A), |.| 7− →|.| ◦ϕ.
Note that this is a continuous map, because, for all f1, . . . , fn, g ∈A, we have Spv(ϕ)−1 U f1, . . . , fn g = U ϕ(f1), . . . , ϕ(fn) ϕ(g) .
(This follows immediately from the definitions.) Remark I.2.1.8. We get a commutative square Spv(B) / Spv(A) Spec(B) / Spec(A) This square is cartesian if B is a localization or a quotient of A, but not in general.
The goal of this section is to prove that Spv(A) is a spectral space (see definition I.2.2.7) and that the continuous maps Spv(ϕ) are spectral (i.e. quasi-compact).
We will outline the strategy of the proof. First “remember” that a topological space X is called spectral if it satisfies the following conditions : (i) X is quasi-compact.
(ii) X has a collection of quasi-compact open subsets that is stable by finite intersections and generates its topology.
(iii) X is quasi-separated (see definition I.2.2.1(iv)).
(iv) X is T0 (see definition I.2.2.4(v)).
(v) X is sober, that is, every closed irreducible subset of X has a unique generic point.
21 I The valuation spectrum We spelled out all these conditions because they are all important, but they are not indepen-dent; indeed, (iii) follows from (ii) (see remark I.2.2.3(1)) and (iv) follows from (v) (see remark I.2.2.5).
The main example of a spectral space (and the reason for the name) is Spec(A) with its Zariski topology, for A a ring.2 We quickly indicate how to check conditions (i), (ii) and (v) in this case : (i) Remember that the closed subsets of Spec(A) are the V (I) = {℘∈Spec(A) | I ⊂℘}, for I an ideal of A (and that we have a canonical isomorphism V (I) = Spec(A/I)). If (Ij)j∈J is a family of ideals of A, then \ j∈J V (Ij) = ∅⇔1 ∈ sX j∈J Ij ⇔1 ∈ X j∈J Ij, and this happens if and only if there is a finite subset J′ of J such that 1 ∈P j∈J′ Ij. So Spec(A) is quasi-compact.
(ii) We take as our generating family of open subsets the subsets D(f1, . . . , fn) := Spec(A) −V ((f1, . . . , fn)), for f1, . . . , fn ∈A.
The fact that D(f1, . . . , fn) is quasi-compact is proved in example I.2.2.2. (If n = 1, it follows from the obvious isomorphism D(f) = Spec(A[f −1]).) (v) It is easy to see that a closed subset V (I) of Spec(A) is irreducible if and only if ℘:= √ I is a prime ideal of A. Then V (I) = V (℘) = Spec(A/℘) has a unique generic point, given by the prime ideal (0) of A/℘.
In the case of Spv(A), the quasi-compactness is still not too hard to check directly (see propo-sition I.1.6.5 for a particular case), but we cannot apply the same strategy afterwards : we want to use the subsets U f1,...,fn g as our generating family of quasi-compact open subsets, but they are not isomorphic in general to valuation spectra even when n = 1, and neither are the closed subsets of Spv(A). Instead, we take a more indirect route that uses the constructible topology of Spv(A).
If X is a quasi-compact and quasi-separated space, the collection of constructible subsets of X is the smallest collection of subsets of X that is stable by finite unions, finite intersec-tions and complements and that contains all quasi-compact open subsets of X. (In general, we need to replace “quasi-compact” with a different condition called “retrocompact”, see definitions I.2.2.1(iii) and I.2.3.1). Constructible subsets form the base of a new topology on X, called the constructible topology, in which quasi-compact open subsets of X are open and closed. The constructible topology is Hausdorff and quasi-compact if X is spectral (proposition I.2.4.1). The main technical tool is a partial converse of this result, due to Hochster (theorem I.2.5.1) : If X′ is a quasi-compact topological space and if U is a collection of open and closed subsets of X′, 2Indeed, Hochster has proved that every spectral space is homeomorphic to the spectrum of a ring, see theorem 6 in section 7 of .
22 I.2 The valuation spectrum of a ring it gives a criterion for the topology generated by U to be spectral (and then the topology of X′ will be the corresponding constructible topology).
To apply Hochster’s spectrality criterion to Spv(A), we still need to be able to check its hy-potheses. The key point is the following (see the proof of theorem I.2.6.1 for details): Each equivalence class of valuations on A defines a binary relation on A (“divisibility with respect to the corresponding valuation ring”). This gives an injective map from Spv(A) to the set {0, 1}A×A of binary relations on A, and if we put the product topology of {0, 1}A×A (which is Hausdorff and quasi-compact by Tychonoff’s theorem), then this topology induces the constructible topology on Spv(A) and every set U f1,...,fn g is open and closed.
I.2.2 Some topological notions First we fix some vocabulary : Let X be a topological space and U be a collection of open subsets of X. We say that U is a base of the topology of X if every open subset of X is a union of elements of U ; we say that U generates the topology of X or that U is a subbase of the topology of X if the collection of finite intersections of elements of U is a base of the topology (or, in other words, if the topology of X is the coarsest topology for which all the elements of U are open subsets).
Definition I.2.2.1.
(i) We say that a topological space X is quasi-compact if every open cov-ering of X has a finite refinement.
(ii) We say that a continuous map f : X →Y is quasi-compact if the inverse image of any quasi-compact open subset of Y is quasi-compact.
(iii) We say that X is quasi-separated if the diagonal embedding X →X × X is quasi-compact. This means that, for any quasi-compact open subspaces U and V of X, the intersection U ∩V is still quasi-compact.
Example I.2.2.2. Let A be a ring. Then an open subset U of Spec(A) is quasi-compact if and only if there exists a finitely generated ideal I of A such that U = Spec(A) −V (I).
Indeed, suppose that U = Spec(A)−V (I), with I finitely generated, say I = (f1, . . . , fr). Let (Ij)j∈J be a family of ideals of A such that U ∩T j∈J V (Ij) = ∅, that is, T j∈J V (Ij) ⊂V (I).
Then I ⊂ qP j∈J Ij, so there exists N ≥1 such that f N 1 , . . . , f N r ∈P j∈J Ij. Choose a finite subset J′ of J such that f N 1 , . . . , f N r ∈P j∈J′ Ij. Then V (I) = V (f N 1 , . . . , f N r ) ⊃T j∈J′ V (Ij), so U ∩T j∈J′ V (Ij) = ∅.
Conversely, suppose that U is quasi-compact, and let I be an ideal of A such that U = Spec(A) −V (I). We have U = S f∈I D(f), so, by the quasi-compactness assumption, there exist f1, . . . , fr ∈I such that U = Sr i=1 D(fi) = Spec(A) −V (f1, . . . , fr).
Remark I.2.2.3. To check that a continuous map f : X →Y is quasi-compact, it suffices to check that f −1(U) is quasi-compact for U in a base of quasi-compact open subsets of Y . In 23 I The valuation spectrum particular, if the topology of X has a basis of quasi-compact open subsets which is stable by finite intersections, then X is quasi-separated.
Definition I.2.2.4. Let X be a topological space.
(i) We say that X is irreducible if, whenever X = Y ∪Z with Y and Z closed subsets of X, we have X = Y or X = Z.
(ii) If x, y ∈X, we say that x is a specialization of y (or that y is a generization3 of x, or that y specializes to x) if x ∈{y}.
(iii) We say that a point x ∈X is closed if {x} is closed.
(iv) We say that a point x ∈X is generic if {x} is dense in X.
(v) We say that X is a Kolmogorov space (or a T0 space if, for all x ̸= y in X, there exists an open subset U of X such that x ∈U and y ̸∈U, or that x ̸∈U and y ∈U.
(vi) We say that X is sober if every irreducible closed subset of X has a unique generic point.
Remark I.2.2.5. A topological space X is T0 if and only every irreducible closed subset of X has at most one generic point.
Indeed, note that X is T0 if and only, for all x, y ∈X such that x ̸= y, there exists a closed subset of X that contains exactly one of x and y, which means that x ̸∈{y} or y ̸∈{x}. If X is T0, let Z be an irreducible closed subset of X and let x, y ∈Z be two generic points. Then x ∈{y} = Z and y ∈{x} = Z, so x = y. Conversely, suppose that every irreducible closed subset of X has at most one generic point, and let x, y ∈X such that x ̸= y. As {x} and {y} are irreducible closed and have distinct generic points, we have {x} ̸= {y}. So we have {x} ̸⊂{y}, and then x ̸∈{y}, or we have {y} ̸⊂{x}, and then y ̸∈{x}.
Example I.2.2.6. For every ring, Spv(A) is T0.
Indeed, let x, y ∈Spv(A) such that x ̸= y. If A is a field, then Spv(A) = RZ(A) and x, y correspond to distinct valuation subrings Rx, Ry ⊂K. We may assume without loss of generality that there exists a ∈Rx −Ry, and then the open subset U(a) of RZ(A) contains x but not y.
In the general case, we have either supp(x) = supp(y) or supp(x) ̸= supp(y).
If supp(x) = supp(y), then x and y are both in the same fiber of supp, which is a Riemann-Zariski space, and so, by the first case treated above and proposition I.2.1.4(ii), we can find an open subset of Spv(A) that contains exactly one of x and y. If supp(x) ̸= supp(y), as Spec(A) is T0, we may assume without loss of generality that there exists an open subset U of Spec(A) such that supp(x) ∈U and supp(y) ̸∈U. Then supp−1(U) is an open subset of Spv(A) that contains x and not y.
3EGA says “g´ en´ erisation”, so I translated it as “generization”, but some English-language references (for example the stacks project) use “generalization”.
24 I.2 The valuation spectrum of a ring Definition I.2.2.7. A topological space X is called spectral if it satisfies the following conditions : (a) X is quasi-compact and quasi-seperated; (b) the topology of X has a base of quasi-compact open subsets; (c) X is sober.
We say that X is a locally spectral space if it has an open covering by spectral spaces.
Example I.2.2.8. Any affine scheme is a spectral space, and any scheme is a locally spectral space. (In fact, Hochster has proved that these are the only examples, see theorems 6 and 9 of .) Proposition I.2.2.9. ( remark 3.13) (i) A sober space is T0.
(ii) A locally spectral space is sober.
(iii) A locally spectral space is spectral if and only if it is quasi-compact and quasi-separated.
(iv) Let X be a sober space. Then every locally closed subspace of X is sober.
(v) Let X be a spectral space. Then every quasi-compact open subspace (resp. every closed subspace) of X is spectral.
(vi) Let X be a locally spectral space. Then every open subspace of X is locally spectral, and the topology of X has a base consisting of spectral open subspaces.
Proof. (i) follows from remark I.2.2.5. (ii) follows from the fact that a space that has a covering by sober open subspaces is sober (see (3) of [25, Lemma 06N9]). (iii) is obvious from the definitions. (iv) is (3) of [25, Lemma 0B31]. (v) is a particular case of [25, Lemma 0902]. (vi) is clear.
I.2.3 The constructible topology We will only define the constructible topology on a quasi-compact and quasi-separated topolog-ical space, because that is the only case when we will need it (at least for now). For the general definition, see for example [25, Section 04ZC].
Definition I.2.3.1. Let X be a quasi-compact and quasi-separated topological space and Y be a subset of X.
(i) We say that Y is constructible if it is a finite union of subsets of the form U ∩(X −V ), with U and V quasi-compact open subsets of X.
25 I The valuation spectrum (ii) We say that Y is ind-conctructible (resp. pro-constructible) if it a union (resp. an inter-section) of consrtuctible subsets of X.
Any finite union of quasi-compact open subsets is quasi-compact, and, if X is quasi-separated, so is any finite intersection of quasi-compact open subsets. This immediately implies the follow-ing lemma.
Lemma I.2.3.2. Let X be a quasi-compact and quasi-separated topological space. The collec-tion of constructible subsets of X is closed under finite unions, finite intersections and taking complements.
So we could also have defined the collection of constructible subsets of X as the smallest collection of subsets of X that is stable by finite unions, finite intersections and complements, and contains the quasi-compact open subsets of X.
Definition I.2.3.3. Let X be a quasi-compact and quasi-separated topological space. The con-structible topology on X is the topology with base the collection of the constructible subsets of X. Equivalently, it is the topology generated by the quasi-compact open subsets of X and their complements.
We denote by Xcons the space X equipped with its constructible topology.
It is clear from the definitions that the open (resp. closed) subsets for the constructible topology are the ind-constructible (resp. pro-constructible) subsets of X.
Example I.2.3.4. Let X be a finite T0 space. Then X is spectral and every subset of X is constructible.
Proof. Every subset of X is quasi-compact (because it is finite), so X is quasi-compact and quasi-separated. As X is T0, we just need to prove that every closed irreducible subset of X has at least one generic point. Let Z be a closed irreducible subset of X. Then Z is the union of the finite family of closed subsets ({z})z∈Z, so there exists z ∈Z such that Z = {z}. Finally, we proved that every subset of X is constructible. It suffices to prove that {x} is constructible for every x ∈X. So let x ∈X. As X if T0, for every y ∈X −{x}, we can choose Yy open or closed (and in particular constructible) such that x ∈Yy and y ̸∈Yy. So {x} = T y∈X−{x} Yy is constructible.
Proposition I.2.3.5. Let X be a quasi-compact and quasi-separated topological space. Then any constructible subset of X is quasi-compact.
In particular, if Y is an open (resp. closed) subset of X, then Y is constructible if and only if it is quasi-compact (resp. if and only if X −Y is quasi-compact).
26 I.2 The valuation spectrum of a ring Proof. Let Y be a constructible subsets of X.
We write Y = Sn i=1(Ui −Vi), with U1, . . . , Un, V1, . . . , Vn quasi-compact open subsets of X. For every i ∈{1, . . . , n}, Ui −Vi is a closed subset of the quasi-compact space Ui, so it is also quasi-compact. Hence Y is quasi-compact.
I.2.4 The constructible topology on a spectral space Proposition I.2.4.1. Let X be a spectral space. Then Xcons is Hausdorff, totally disconnected and quasi-compact.
Proof. (See [25, Lemma 0901].) Let x, y ∈X such that x ̸= y. As X is T0, we may assume that there exists an open subset U of X such that x ∈U and y ̸∈U. As quasi-compact open subsets form a base of the topology of X, we may assume that U is quasi-compact. Then U and X −U are constructible, hence open and closed in the constructible topology, and we have x ∈U and y ∈X −U. So Xcons is Hausdorff and totally disconnected.
We show that X is quasi-compact. Let B be the collection of quasi-compact open subsets of X and of their complements. Then B generates the topology of X, so, by the Alexander subbase theorem ([25, Lemma 08ZP]), it suffices to show that every covering of X by elements of B has a finite refinement. As the collection B is stable by taking complements, it also suffices to show that every subcollection of B that has the finite intersection property has nontrivial intersection.
So let B′ ⊂ B, and suppose that B′ has the finite intersection property and that T B∈B′ B = ∅. Using Zorn’s lemma, we may assume that B′ is maximal among all subcol-lections that the finite intersection property and empty intersection. Let B′′ ⊂B′ be the set of B ∈B′ that are closed, and let Z = T B∈B′′ B; this is a closed subset of X, and it is not empty because X is quasi-compact.
Suppose first that Z is reducible. Then we can write Z = Z′ ∪Z′′, with Z′, Z′′ ̸= Z. In particular, we have Z′ ̸⊂Z′′ and Z′′ ̸⊂Z′, so we can find quasi-compact open subsets U ′ and U ′′ of X such that U ′ ⊂X −Z′′, U ′′ ⊂X −Z′, U ′ ∩Z′ ̸= ∅and U ′′ ∩Z′′ ̸= ∅.
Let B′ = X −U ′ ⊃Z′′ and B′′ = X −U ′′ ⊃Z′. We want to show that B′ ∪{B′} or B′ ∪{B′′} has the finite intersection property, which will contradict the maximality of B′.
Suppose that this does not hold, then there exist there exist B′ 1, . . . , B′ n, B′′ 1, . . . , B′′ m ∈B′ such that B′ ∩B′ 1 ∩. . .∩B′ n = B′′ ∩B′′ 1 ∩. . .∩B′′ m = ∅, then Z ∩B′ 1 ∩. . .∩B′ n ∩B′′ 1 ∩. . .∩B′′ m = ∅.
As B′ 1∩. . .∩B′ n∩B′′ 1 ∩. . .∩B′′ m is quasi-compact and Z = T B∈B′′ B with every B ∈B′′ closed, we can find B1, . . . , Br ∈B′′ such that B1 ∩. . . ∩Br ∩B′ 1 ∩. . . ∩B′ n ∩B′′ 1 ∩. . . ∩B′′ m = ∅; but this contradicts the fact that B′ has the finite intersection property. So Z cannot be reducible.
Suppose now that Z is irreducible. As X is sober, Z has a unique generic point, say η. Let U ∈B′ −B′′. Then U is quasi-compact and the family of closed subsets (B ∩U)B∈B′′ has the finite intersection property, so their intersection Z ∩U is nonempty; as Z ∩U is an open 27 I The valuation spectrum subset of Z, it contains its generic point η. But then η ∈T B∈B′ B, which contradicts the fact that T B∈B′ B = ∅.
Corollary I.2.4.2. (See proposition 3.23 of .) Let X be a spectral space. Then : (i) The constructible topology is finer than the original topology on X.
(ii) A subset of X is constructible if and only if it is open and closed in the constructible topology (i.e. if and only if it is both ind-constructible and pro-constructible).
(iii) If U is an open subspace of X, then the map Ucons →Xcons is open and continuous (i.e. the subspace topology on U induced by the constructible topology on X is the constructible topology on U).
Proof.
(i) Every open subset of X is the union of its quasi-compact open subsets, hence is ind-constructible.
(ii) We already know that constructible subsets of X are open and closed in Xcons. Conversely, let Y ⊂X be open and closed in Xcons. Then Y is ind-constructible, so we can write Y = S i∈I Yi, with the Yi constructible. Also, by I.2.4.1, Y is quasi-compact for the constructible topology, so there exists a finite subset I′ of I such that Y = S i∈I′ Yi, which proves that Y is constructible.
(iii) Let U be an open subset of X. By [25, Lemma 005J], the map Ucons →Xcons is continuous.
Conversely, let E be a constructible subset of U; we want to show that E is ind-constructible in X. We can write U = S i∈I Ui, with the Ui quasi-compact. For every i ∈I, the set E ∩Ui is constructible in Ui, hence constructible in X by [25, Lemma 09YD]. So E = S i∈I(E ∩Ui) is ind-constructible in X.
Corollary I.2.4.3. ([25, Lemma 0902].) Let X be a spectral space and Y ⊂X be closed in the constructible topology. Then Y is a spectral space for the subspace topology.
Definition I.2.4.4. A continuous map f : X →Y of locally spectral spaces is called spectral if, for every open spectral subspace V of Y and every open spectral subspace U of f −1(V ), the induced map U →V is quasi-compact.
Proposition I.2.4.5. (Proposition 3.27 of .) Let f : X →Y be a continuous map of spectral spaces. Then the following are equivalent : (i) f is spectral.
(ii) f : Xcons →Ycons is continuous.
(iii) f is quasi-compact.
28 I.2 The valuation spectrum of a ring (iv) The inverse image by f of every constructible subset of Y is a constructible subset of X.
If these conditions are satisfied, then f : Xcons →Ycons is proper.
Proof. The implications (i)⇒(iii)⇒(iv)⇒(v)⇔(ii) are clear. By proposition I.2.3.5 and corollary I.2.4.2(ii), an open subset of X is quasi-compact if and only if it is open and closed in the constructible topology, so (ii) implies (iii). It remains to show that (iii) implies (i). Suppose that f is quasi-compact. Let V ⊂Y and U ⊂f −1(V ) be open spectral subspaces, and let W be a quasi-compact open subset of V . We want to show that f −1(W) ∩U is quasi-compact, but this follows from the fact that f −1(W) and U are quasi-compact and that X is quasi-separated.
Finally, as Xcons and Ycons are Hausdorff and quasi-compact by proposition I.2.4.1, if f : Xcons →Ycons is continuous, then it is proper.
I.2.5 A criterion for spectrality The goal of this section is to give a criterion for a topological space to be spectral, due to Hochster.
Theorem I.2.5.1. (Proposition 3.31 of .) Let X′ = (X0, T ′) be a quasi-compact topological space, let U ⊂T ′ be a collection of open and closed subsets of X′, let T be the topology on X0 generated by U , and set X = (X0, T ).
If X is T0, then it is spectral, every element of U is a quasi-compact open subset of X, and X′ = Xcons.
Proof. After replacing U by the collection of finite intersections of sets of U , we may assume that U is stable by finite intersections. Note that the topology of X is coarser than the topology of X′. In particular, every quasi-compact subset of X′ is also quasi-compact as a subset of X; in particular, X itself is quasi-compact. As elements of U are closed in X′, the previous sentence also applies to them, and we see that they are all quasi-compact as subsets of X. So the topology of X has a basis of quasi-compact open subsets which is stable by finite intersections. Let T ′′ be the topology on X generated by the quasi-compact open subsets and their complements. By lemma I.2.5.2, it suffices to show that T ′′ = T ′.
First note that T ′′ is coarser than T ′, because T ′′ is generated by elements of U and their complements, and every element of U is open and closed for T ′. We also claim that T ′′ is Hausdorff : Indeed, let x, y ∈X such that x ̸= y; as X is T0, we may assume (up to switching x and y) that there exists U ∈U such that x ∈U and y ∈X −U, and U and X −U are both open in T ′′ by definition of T ′′. So the identity map from X′ to X′′ := (X0, T ′′) is a continuous map from a quasi-compact space from a Hausdorff space, which implies that it is a homeomorphism (see chapitre I §9 No4 corollaire 2 du th´ eoreme 2, p. 63).
29 I The valuation spectrum Lemma I.2.5.2. (Lemma 3.29 of .) Let X be a quasi-compact T0 space, and suppose that its topology has a basis consisting of quasi-compact open subsets which is stable under finite intersections. Let X′ be the topological space with the same underlying set as X, and whose topology is generated by the quasi-compact open subsets of X and their complements. Then the following are equivalent : (i) X is spectral.
(ii) X′ is Hausdorff and quasi-compact, and its topology has a basis consisting of open and closed subsets.
(iii) X′ is quasi-compact.
Also, if these conditions are satisfied, then X′ = Xcons.
Proof.
(i)⇒(ii) If X is spectral, then it is quasi-compact and quasi-separated, so X′ = Xcons by defini-tion of the constructible topology, and the fact that X′ is Hausdorff and quasi-compact is proposition I.2.4.1. Also, the topology of X′ is generated by the consrtuctible subsets of X, which are open and closed as subsets of X′ corollary I.2.4.2(ii).
(ii)⇒(iii) Obvious.
(iii)⇒(i) We already know that X is quasi-separated and has a basis of quasi-compact open subsets.
So we just need to show that X is sober. By definition of the topology of X′, this topology is finer than the topology of X.
Let Z be a closed irreducible subset of X. As X is T0, this subset has at most one generic point, and we want to show that it has at least one. Let Z′ be the set with the topology induced by the topology of X′. As X′ is quasi-compact and Z′ is closed in X′ (because the topology of X′ is finer than that of X), Z′ is also quasi-compact. Suppose that Z has no generic point. For every z ∈Z, we have {z} ⊊Z, so there exists an open quasi-compact subset Uz fo Z such that Uz ∩{z} = ∅. We have Z = S z∈Z(Z \Uz), and each Z \Uz is open in Z′ by definition of the topology of X′. As Z′ is quasi-compact, there exists z1, . . . , zn ∈Z such that Z = Sn i=1(Z\Uzi); but this contradicts the irreducibility of Z.
30 I.2 The valuation spectrum of a ring I.2.6 Spectrality of Spv(A) Theorem I.2.6.1. (Proposition 4.7 of .) Let A be a commutative ring. Then Spv(A) is spectral. The open subsets U f1, . . . , fn g = {|.| ∈Spv(A) | |f1|, . . . , |fn| ≤|g| ̸= 0}, for f1, . . . , fn, g ∈A, are quasi-compact, and they and their complements generate the con-structible topology of Spv(A).
Moreover, if ϕ : A → B is a morphism of rings, then the induced map Spv(ϕ) : Spv(B) →Spv(A) is spectral.
Remark I.2.6.2. The continuous map supp : Spv(A) →Spec(A) is also spectral, since supp−1(D(g)) = U g g for every g ∈A.
Proof. Let X = Spv(A), and denote its topology by T . We want to apply theorem I.2.5.1 to the family of subsets U f1,...,fn g , for f1, . . . , fn, g ∈A.
(A) For every x ∈X, if (℘x, Rx) is the pair corresponding to x as in remark I.2.1.2, we define a relation |x on A by : f|xg if there exists an element a of Rx such that a(f +℘x) = g+℘x.
(In other words, if |.|x is a valuation in the equivalence class corresponding to x, we have f|xg if and only |f|x ≥|g|x.) This defines a map ρ from X to the set {0, 1}A×A of relations on A. It follows directly from the definition that, for every x ∈X, we have supp(x) is the set of f ∈A such that 0|xf; so ρ(x) determines supp(x).
(B) Claim : The map ρ : X →{0, 1}A×A is injective.
Indeed, let x, y ∈X be such that ρ(x) = ρ(y), and let (℘x, Rx) and (℘y, Ry) be the pairs corresponding to x and y. By the remark at the end of (A), we have ℘x = ℘y. Let K = Frac(A/℘x). Let a ∈K. Then we can find f, g ∈A such that a = (f+℘x)(g+℘x)−1, and we have : a ∈Rx ⇔g|xf ⇔g|yf ⇔a ∈Ry.
So Rx = Ry.
(C) Claim : The image of ρ is the set of relations | on A satisfying the following conditions : for all f, g, h ∈A, (a) f|g or g|f; (b) if f|g and g|h, then f|h; (c) if f|g and f|h, then f|(g + h); 31 I The valuation spectrum (d) if f|g, then fh|gh; (e) if fh|gh and 0 ̸ |h, then f|g; (f) 0 ̸ |1.
Let’s prove this claim. It is easy to check that every element in the image of ρ satisfies (a)-(f).
Conversely, let | be a relation on A satisfying (a)-(f). Note that we have f|0 for every f ∈R by (d). Let ℘= {f ∈A such that 0|f}. Then ℘is an ideal of A by (c) and (d), it does not contain 1 by (f), and it is a prime ideal by (e). Next we note that, for all f, f ′ ∈A such that f + ℘= f ′ + ℘, we have f|f ′ and f ′|f; indeed, if f ′ −f ∈℘, then 0|(f ′ −f), so f|(f ′ −f) by (b) (and the fact that f|0), hence f|f ′ by (c), and similarly f ′|f. Let’s check that | induces a relation on A/℘. Let f, f ′, g, g′ ∈A such that f −f ′, g −g′ ∈℘. We need to show that f|g ⇒f ′|g′; but we have just seen that f ′|f and g|g′, so this follows from (b). Now let R be the set of a ∈Frac(A/℘) that can be written a = (f + ℘)(g + ℘)−1, with f, g ∈A and g|f; by (d) and (e), this condition is actually independent of the choice of f and g. We see easily that R is a subring of Frac(A/℘), and it is a valuation subring thanks to condition (a). So the pair (℘, R) defines a point x of X, and ρ(x) is equal to | by definition of ℘and R.
(D) We put the discrete topology on {0, 1} and the product topology on {0, 1}A×A. By Ty-chonoff’s theorem, the space {0, 1}A×A is compact. Let T ′ be the topology on X induced by the topology of {0, 1}A×A via ρ, and let X′ = (X, T ′). Then X′ is also compact.
Indeed, for f, g, h ∈A fixed, each of the conditions (a)-(f) of (X) defines a closed subset of {0, 1}A×A, so, by the conclusion (C), the subset ρ(X) of {0, 1}A×A is closed.
(E) Let f1, . . . , fn, g ∈A. Then an element | of ρ(X) is in ρ U f1,...,fn g if and only g|fi for every i ∈{1, . . . , n} and 0 ̸ |g. Each of these conditions defines an open and closed subset on {0, 1}A×A (which is the pullback by one of the projection maps {0, 1}A×A of a subset of {0, 1}), so U f1,...,fn g is open and closed in the topology T ′. Also, the space X is T0 by remark I.2.2.6. Applying theorem I.2.5.1 to X′ and to the collection of subsets U f1,...,fn g , for f1, . . . , fn, g ∈A, we get that X is spectral, that the U f1,...,fn g form a basis of quasi-compact open subsets of X, and that X′ = Xcons.
(F) Finally, we prove the last statement. Let ϕ : A →B be a morphism of rings. By propo-sition I.2.4.5, to show that the continuous map Spv(f) : Spv(B) →Spv(A) is spectral, it suffices to show that it is quasi-compact; but this follows from the fact that Spv(ϕ)−1 U f1, . . . , fn g = U ϕ(f1), . . . , ϕ(fn) ϕ(g) for all f1, . . . , fn, g ∈A.
32 I.3 The specialization relation in Spv(A) Remark I.2.6.3. It follows from the theorem that the collection of consrtuctible subsets of Spv(A) is the smallest collection of subsets of Spv(A) that is stable by finite unions, finite intersections and complements and that contains all subsets of the form U f g , for f, g ∈A. It is also the smallest collection of subsets of Spv(A) that is stable by finite unions, finite intersections and complements and that contains all subsets of the form U ′(f, g) := {|.| ∈Spv(A) | |f| ≤|g|}, for f, g ∈A.
Indeed, we have for all f, g ∈A : U f g = U ′(f, g) ∩(Spv(A) −U ′(g, 0)) and U ′(f, g) = U f g ∪ Spv(A) − U 0 g ∪U 0 f .
I.3 The specialization relation in Spv(A) The goal of this section is to study the specialization relation in Spv(A). Here are the main points : (1) Specialization is an order relation on Spv(A) (and more generally on any T0 space), and it tells us which constructible subsets are open or closed.
(2) Specialization in Spv(A) breaks into two simpler cases, horizontal specialization and ver-tical specialization. More precisely (see theorem I.3.4.3), if x ∈Spv(A), every specializa-tion of x is a horizontal specialization of a vertical specialization of x; moreover, in many cases (for example if |A|x ̸⊂Γx,≥1), every specialization of x is also a vertical specializa-tion of a horizontal specialization of x.
(3) We say that a specialization y of x (in Spv(A)) is a vertical specialization if ℘y = ℘x. So vertical specializations of x are parametrized by valuation subrings of K(x) contained in Rx (i.e.
by valuation subrings of of Rx/mRx), and vertical generizations of x are parametrized by valuation subrings of K(x) containing Rx (i.e. by prime ideals of Rx).
See theorem I.1.4.2.
(4) Horizontal specialization changes the support of a valuation. Here are some facts about it.
Let x ∈Spv(A).
(a) If H is any subgroup of Γx, we define a map |.|x|H : A →H ∪{0} by |a|x|H = |a|x if |a|x ∈H 0 otherwise.
If this is a valuation, it is a specialization of x, and we call this a horizontal specialization of x. Also, |.|x|H is a valuation if and only if H is a convex subgroup of Γx and contains the convex subgroup cΓx generated by |A|x ∩Γx,≥1. (Note that |.|x|H does not determine H in general.) 33 I The valuation spectrum (b) Horizontal specializations of x are totally ordered (by specialization), and the mini-mal horizontal specializaton of x is x|cΓx.
(c) A horizontal specialization y of x is uniquely determined by its support, and it is the generic point of {x} ∩supp−1(℘y).
(d) The possible supports of horizontal specializations of x are the x-convex prime ideals of A (where ℘∈Spec(A) is x-convex if 0 ≤|a|x ≤|b|x and b ∈℘implies that a ∈℘).
(e) If |A|x ̸⊂Γx,≤1, then every fiber of supp : {x} →Spec(A) contains a horizontal specialization of x, which is its generic point.
I.3.1 Specialization in a spectral space Notation I.3.1.1. Let X be a topological space, and let x, y ∈X. Remember from definition I.2.2.4(ii) that we say that y specializes to x (or that x is a specialization of y, or that y is a generization of x) if x ∈{x}.
If this is the case, we write y ⇝x or x ⇝ y.
Lemma I.3.1.2. If X is T0, then specialization is an order relation on X.
Proof. Specialization is clearly reflexive and transitive (without any condition on X), so we just need to check that it is antisymmetric. Let x, y ∈X such that x ⇝y and y ⇝x. Then x ∈{y} and y ∈{x}, so x and y are both generic points of the irreducible closed subset {x}. By remark I.2.2.5, this implies that x = y.
The following result is one of the reasons that it is useful to understand the specialization relation in a spectral space.
Proposition I.3.1.3. (Proposition 3.30 of and [25, Lemma 0903]). Let X be a spectral space and Z ⊂X be a subspace.
(i) The following are equivalent : (a) Z is pro-constructible; (b) Z is spectral, and the inclusion Z →X is spectral.
(ii) (a) Suppose that Z is pro-constructible. If x ∈Z, then x is the specialization of a point of Z. (In other words, Z is the set of specializations of points of Z.) (b) If Z is pro-constructible, then Z is closed if and only if it is stable under specializa-tion.
34 I.3 The specialization relation in Spv(A) (c) If Z is ind-constructible, then Z is open if and only if it is stable under generization.
Proof.
(i) Suppose that (b) holds. Then Z is closed in Xcons by proposition I.2.4.5, which means that it is pro-constructible.
Suppose that (a) holds. Then Z is spectral by corollary I.2.4.3. We want to show that the inclusion Z →X is spectral. By proposition I.2.4.5, this is equivalent to the fact that it is quasi-compact. Let U be a quasi-compact open subsets of X. Then U ∩Z is pro-constructible. As Xcons is quasi-compact by proposition I.2.4.1, its closed subset U ∩Z is also quasi-compact, and so U ∩Z is quasi-compact in the topology induced by X (which is coarser than the constructible topology).
(ii) Note that (b) follows immediately from (a), and that (c) is just (b) applied to X −Z. So we just need to prove (a). Let x ∈Z. Let (Ui)i∈I be the family of all quasi-compact open neighborhoods of x in X. Then (Ui)i∈I is cofinal in the set of all open neighborhoods of x and stable by finite intersection, because X is spectral, and Ui ∩Z ̸= ∅for every i ∈I because x ∈Z. Also, for every i ∈I, the intersection Z ∩Ui is pro-constructible, hence closed in Xcons. As Xcons is quasi-compact (proposition I.2.4.1), we have Z∩T i∈I Ui ̸= ∅.
Let z ∈Z ∩T i∈U Ui. Then z is contained in every open neighborhood of x, so x ∈{z}.
We easily see that this implies the following corollary.
Corollary I.3.1.4. ([25, Lemma 09XU].) Let f : X →Y be a bijective continuous spectral map of spectral spaces. If generizations (resp. specializations) lift along f, then f is a homeomor-phism.
I.3.2 Vertical specialization We now fix a commutative ring A.
Remark I.3.2.1.
(1) Let ℘, ℘′ ∈Spec(A). Then ℘is a specialization of ℘′ if and only if ℘⊃℘′. Indeed, the smallest closed subset of Spec(A) containing ℘′ is V (℘′), that is, {℘′} = V (℘′).
(2) Let x, y ∈Spv(A). If x is a specialization of y, then supp(x) ⊃supp(y). (This just follows from the fact that supp : Spv(A) →Spec(A) is continuous.) Definition I.3.2.2. Let x, y ∈Spv(A). We say that x is a vertical specialization of y (or that y is a vertical generization of x) if x is a specialization of y and supp(x) = supp(y).
35 I The valuation spectrum Remember that supp−1(℘) = RZ(Frac(A/℘)) for every ℘∈Spec(A) (proposition I.2.1.4), and that the specialization relation in RZ(K), for K a field, just corresponds to the inclusion of valuation subrings (remark I.1.6.4). So points (i) and (ii) of the following proposition are a direct consequence of corollary I.1.4.4, and point (ii) follows immediately from theorem I.1.4.2.
Proposition I.3.2.3. Let x ∈Spv(A). Then : (i) There is a canonical order-reversing bijection from the set of vertical generizations of x (ordered by specialization, where we think of the specialization as the “smaller” element) to Spec(Rx) (ordered by inclusion). If y = (℘x, Ry) is a vertical generization of x, then the corresponding element of Spec(Rx) is mRy; conversely, if ℘is a prime ideal of Rx, the corresponding vertical generization of x is (℘x, (Rx)℘).
(ii) There is a canonical order-preserving bijection from the set of vertical generizations of x (ordered by specialization) to the set of convex subgroups of Γx (ordered by inclusion). If y = (℘x, Ry) is a vertical generization of x, the corresponding convex subgroup of Γx is Ker(Γx →ΓRy).
(iii) There is a canonical order-preserving bijection from the set of vertical specializations of x (ordered by specialization) to Spv(Rx/mRx) = RZ(Rx/mRx) (also ordered by special-ization).
Notation I.3.2.4. If x ∈Spv(A) and H is a convex subgroup of Γx, we denote by x/H the vertical generization of x corrseponding to H.
I.3.3 Horizontal specialization Definition I.3.3.1. Let x ∈Spv(A). The characteristic group of x is the convex subgroup cΓx of Γx generated by Γx,≥1 ∩|A|x.
Example I.3.3.2.
(1) We have cΓx = {1} if and only if |a|x ≤1 for every a ∈A. This does not hold in general.
(2) If A = K is a field, then |K|x = {0} ∪Γx, so cΓx = Γx.
(3) If K is a field, A is a valuation subring of K and x ∈Spv(A) is the corresponding valua-tion, then |a|x ≤1 for every a ∈A, so cΓx = {1}.
Definition I.3.3.3. Let x ∈Spv(A) and let H be a subgroup of Γx.
We define a map |.|x|H : A →Γx ∪{0} by setting |f|x|H = |f|x if |f|x ∈H 0 otherwise.
If |.|x|H is a valuation on A, we denote the corresponding point of Spv(A) by x|H.
36 I.3 The specialization relation in Spv(A) Proposition I.3.3.4. (Remarks 4.15 and 4.16 of .) Let x ∈Spv(A) and let H be a convex subgroup of Γx. We denote the map A →A/℘x ⊂Frac(A/℘x) by π. Then the following are equivalent : (i) |.|x|H is a valuation on A.
(ii) H ⊃cΓx.
(iii) If we denote by ℘H = {a ∈Rx | ∀δ ∈H, |a|x < δ} the corresponding prime ideal of Rx (see corollary I.1.4.4), then π(A) = A/℘x ⊂Rx,℘H.
Proof.
(i)⇒(ii) Suppose that |.|x|H is a valuation on A. To show that H contains cΓx, it suffices to show that it contains Γx,≥1 ∩|A|x. So let a ∈A be such that |a|x ≥1. If |a|x = 1, we have |a|x ∈H, so assume that |a|x > 1. Then |a + 1|x = |a|x. If |a|x ̸∈H, then 0 = |a + 1|x|H = max{|a|x|H, 1} = 1, contradiction. So |a|x ∈H.
(ii)⇒(iii) Note that Rx,℘H is the valuation subring of Frac(A/℘x) corresponding to the composition of |.|x : Frac(A/℘x) →Γx ∪{0} and of the quotient map Γx ∪{0} →(Γx/H)∪{0}, so an element a of Frac(A/℘x) is in Rx,℘H if and only if there exists γ ∈H such that |a|x ≤γ.
Now suppose that H ⊃cΓx, and let a ∈A. We want to show that there exists γ ∈H such that |a|x ≤γ. If |a|x ≤1, then we can take γ = 1. If |a|x > 1, then |a|x ∈cΓx ⊂H, so we can take γ = |a|x.
(iii)⇒(i) We have seen that (iii) implies that, for every a ∈A, there exists γ ∈H such that |a|x ≤γ; in particular, if |a|x ≥1, then |a|x ∈H, because H is convex. (This proves (ii).) We check that |.|x|H satisfies the conditions of definition I.1.1.10(ii).
It is clear that |0|x|H = 0 and |1|x|H = 1. Let a, b ∈A. The only way we can have |ab|x|H ̸= |a|x|H|b|x|H is if |ab|x ∈H but |a|x, |b|x ̸∈H ∪{0}. So suppose that |a|x, |b|x ̸∈H ∪{0}. This implies that |a|x, |b|x < 1, and then |ab|x ≤|a|x ≤1 and |ab|x ≤|b|x ≤1, so the convexity of H implies that |ab|x cannot be in H. Finally, we prove that |a + b|x|H ≤max{|a|x|H, |b|x|H}.
If |a + b|x ̸∈H, this obviously holds, so suppose that |a + b|x ∈H. We may assume that |a|x ≤|b|x. If |b|x ∈H, we are done, so we may assume that |b|x ̸∈H. But then |a + b|x ≤|b|x ≤1 and H is convex, so this impossible.
Proposition I.3.3.5. (Remark 4.16 of .) We use the notation of proposition I.3.3.4, and we denote the quotient map A →A/℘x by π. If the conditions of this proposition hold, then : (i) x|H is a specialization of x.
(ii) Ker(x) ⊂Ker(x|H) = π−1(℘HRx,℘H) = {a ∈A | ∀γ ∈H, |a|x < γ}, with equality if and only if H = Γx (which is also equivalent to ℘H = 0, or to x = x|H).
37 I The valuation spectrum (iii) Rx/℘H is a valuation subring of the field Rx,℘H/℘H, and |.|x|H is the composition of A π →Rx,℘H →Rx,℘H/℘H and of the valuation corresponding to Rx/℘H.
Note that it is not easy in general to describe the valuation group of x|H (beyond the obvious fact that it is included in H).
Proof.
(i) Let f1, . . . , fn, g ∈A such that x||H ∈U := U f1,...,fn g . We want to show that x ∈U. We have |fi|x|H ≤|g|x|H ̸= 0 for every i, so in particular |g|x ∈H and |g|x = |g|x|H. Suppose that we |fi|x > |g|x for some i. Then |fi|x ̸∈H, so |fi|x < 1 (because H ⊃cΓx), so |g|x < |fi|x < 1, which implies that |fi|x ∈H because H is convex, contradiction. So x ∈U.
(ii) The inclusion Ker(x) ⊂Ker(x|H) is obvious.
As ℘HRx,℘H is the maximal ideal of Rx,℘H and Rx,℘H is the valuation subring of Frac(A/℘x) corresponding to the valuation Frac(A/℘x) |.|x →Γx ∪{0} →(Γx/H) ∪{0}, we have ℘HRx,℘H = {a ∈Frac(A/℘x) | ∀γ ∈H, |a|x < γ}.
Let a ∈A. We have a ∈Ker(x|H) if and only if |a|x ̸∈H. As H ⊃cΓx ⊃Γx,≥1 ∩|A|x, this implies that |a|x < 1. So we have |a|x ̸∈H if and only if |a|x < γ for every γ ∈H.
(Indeed, if |a|x ̸∈H and |a|x > γ for some γ ∈H, then γ < |a|x < 1, contradicting the convexity of H). This proves the formula for Ker(x|H).
We obviously have Ker(x) = Ker(x|H) if Γx = H.
Conversely, suppose that Ker(x) = Ker(x|H), and let’s prove that H = Γx. Let γ ∈Γx. Write γ = |a|x/|b|x, with a, b ∈A. Then |a|x, |b|x ̸= 0, so |a|x,H, |b|x,H ̸= 0, so |a|x, |b|x ∈H, so γ ∈H.
(iii) In Frac(A/℘x), we have the valuation subring with valuation group Γx, and the bigger ring Rx,℘H with valuation group Γx/H and maximal ideal ℘H.. So we are in the situation of theorem I.1.4.2, and we see that Rx/℘H is a valuation subring of Rx,℘H/℘H with valuation group Ker(Γx →Γx/H) = H. The second statement also follows easily from this theorem and from (ii).
Definition I.3.3.6. Let x, y ∈Spv(A). We say that y is a horizontal specialization of x (or that x is a horizontal generization of y) if y is the form x|H, for H a convex subgroup of Γx containing cΓx.
Remark I.3.3.7. Note that x is a horizontal specialization of itself (corresponding to the convex subgroup H = Γx).
We now give a decription of the possible kernels of horizontal specializations of x.
Definition I.3.3.8. Let x ∈Spv(A). A subset T of A is called x-convex if for all a1, a2, b ∈A, if |a1|x ≤|b|x ≤|a2|x and a1, a2 ∈T, then b ∈T.
38 I.3 The specialization relation in Spv(A) For example, if 0 ∈T, then T is x-convex if and only if, for all a ∈A and b ∈T such that |a|x ≤|b|x, we have a ∈T.
Proposition I.3.3.9. (Proposition 4.18 of .) Let x ∈Spv(A). Let C be the set of x-convex prime ideals of A, order by inclusion, and let S be the set of horizontal specializations of x, ordered by specialization. Then y 7− →Ker(y) induces an order-reversing bijection S ∼ →C, and the sets S and C are totally ordered.
Remark I.3.3.10. So we have a commutative diagram : S / ≀ {x} / Spv(A) supp C / Spec(A/℘x) / Spec(A) We will see in the next subsection (see corollary I.3.4.5) that, if |A|x ̸⊂Γx,≤1 (which occurs for example if A contains a subfield on which the valuation |.|x is nontrivial), then C is actually the image of {x} in Spec(A), so every x-convex prime ideal q of A lifts to a unique horizontal specialization y of x, and moreover this y is the unique generic point of supp−1(q) ∩{x}.
Proof of proposition I.3.3.9. The kernel of any horizontal specialization of x is x-convex by proposition I.3.3.5(ii), so supp : S →C is well-defined, and it is clearly order-reversing.
We have seen in proposition I.3.3.4 that S is in bijection to the set P of prime ideals ℘of Rx such that A/℘x ⊂Rx,℘, and this bijection is order-reversing. As the set of ideals of a valuation ring is totally ordered (proposition I.1.1.4), this implies that S is totally ordered. If we identify S and P, the map supp : S →C becomes ℘7− →π−1(℘Rx,℘), where π : A →Frac(A/℘x) is the quotient map (see proposition I.3.3.5(ii)).
Now we construct the inverse map. If q is a x-convex prime ideal of A, then we clearly have q ⊃℘x, and |a|x < |b|x for every a ∈q and every b ∈A −q; in particular, |q|x ⊂Γx,<1.
So, if H is the convex subgroup of Γx generated by |A −q|x, we have H ⊃cΓx. We want to prove that supp(x|H) = q, or equivalently that q = π−1(℘Rx,℘).
But we know from proposition I.3.3.5(ii) that Ker(x|H) = {a ∈A|∀γ ∈H, |a|x < γ}, and this is equal to {a ∈A|∀b ∈A −q, |a|x < |b|x} by definition of H.
Proposition I.3.3.11. (Proposition 4.4.2 of .) Let x, y, z ∈Spv(A). If y is a horizontal specialization of x and z is a horizontal specialization of y, then z is a horizontal specialization of x.
Proof. Let H be a convex subgroup of Γx and G be a convex subgroup of Γy such that y = x|H and z = y|G. In particular, we have Γy ⊂H. We denote by G′ the smallest convex subgroup of H containing G. Then : 39 I The valuation spectrum (a) G = G′ ∩Γy : Indeed, we obviously have G ⊂G′ ∩Γy. Conversely, if δ ∈G′, then, by definition of G′, there exist γ1, γ2 ∈G such that γ1 ≤δγ2. If moreover δ ∈Γy, then this implies that δ ∈G, because G is convex in Γy.
(b) G′ ⊃cΓx : As G′ is convex, it suffices to show that G′ ⊃|A|x ∩Γx,≥1. Let a ∈A such that |a|x ≥1. Then |a|x ∈H, so |a|y = |a|x|H = |a|x ≥1, so |a|x = |a|y ∈G ⊂G′.
(c) x|G′ (which makes sense by (b)) is equal to z : Indeed, this follows immediately from definition I.3.3.3 and from (a).
I.3.4 Putting things together Proposition I.3.4.1. (Lemma 4.19 of .) (i) If x ⇝y is a horizontal specialization and y ⇝z is a vertical specialization, then there exists a vertical specialization x ⇝y′ that admits z as a horizontal specialization.
x / ∃ y y′ / z (ii) If x ⇝y is a horizontal specialization and x ⇝y′ is a vertical specialization, then there exists a unique horizontal specialization y′ ⇝z such that z is a vertical specialization of y.
x / y ∃!
y′ / z Proof.
(i) Let H ⊃ cΓx be a convex subgroup of Γx such that y = x|H, and ℘H be the corresponding prime ideal of Rx.
Then |.|y is the composition of A →A/℘x →Rx,℘H →Rx,℘H/℘HRx,℘H and of the valuation on Rx,℘H/℘H corre-sponding to the valuation subring Rx/℘H, so ℘y = Ker(A →Rx,℘H/℘H) and we have an extension of fields K(y) ⊂Rx,℘H/℘H such that Ry = K(y) ∩(Rx/℘H). Let Rz ⊂Ry be the valuation subring of K(y) corresponding to the vertical specialization y ⇝z. Then, by corollary I.1.2.4, there exists a valuation subring B ⊂Rx/℘H of Rx,℘H/℘H such that Rz = K(y) ∩B. Let B′ be the inverse image of B in Rx,℘H. Then B′ is a valuation subring of K(x) by theorem I.1.4.2(ii), and B′ ⊂Rx by definition. Let y′ be the valuation on A given by the composition of A →A/℘x ⊂K(x) and of |.|B′ (so that ℘y′ = ℘x and Ry′ = B′). Then y′ is a vertical specialization of x.
40 I.3 The specialization relation in Spv(A) It remains to show that z is a horizontal specialization of y′. Let q = Ry′∩℘H ∈Spec(Ry′).
Then Ry′,q = Rx,℘H by theorem I.1.4.2(i)(c), so Ry′,q contains the image of A/℘y′ = A/℘x, so it defines a horizontal specialization of y′ by proposition I.3.3.4.
By proposition I.3.3.5, this horizontal specialization is the composition of A →A/℘y′ ⊂Ry′,q = Rx,℘H →Rx,℘H/℘HRx,℘H and of the valuation defined by the valuation subring Ry′,q/q = B; in other words, it is the valuation z.
(ii) We have ℘z = ℘y for every vertical specialization z and y, and horizontal valuations of y′ are uniquely determined by their kernel (by proposition I.3.3.9), so z is unique if it exists.
Let H be the convex subgroup of Γy′ such that x = y′/H (so we have Γx = Γy′/H), let G ⊃cΓx be a convex subgroup of Γx such that y = x|G, and denote by G′ the inverse image of G in Γy′. Then G′ is a convex subgroup of Γy′, and we have G′ ⊃cΓy′ (indeed, if a ∈A is such that |a|y′ ≥1, then |a|x ≥1 because |a|x is the image of |a|y′ by the quotient map Γy′ →Γx, so |a|x ∈G, and finally |a|y′ ∈G′). Let z = y′ |G′. Then it is easy to check (from the formulas for |.|z and |.|y given in definition I.3.3.3) that z = y/H.
Corollary I.3.4.2. (Corollary 4.20 of .) Let x ∈Spv(A), and let ℘be a generization of ℘x in Spec(A) (i.e. ℘⊂℘x). Then there exists a horizontal generization y of x such that ℘y = ℘.
Proof. Let R be the localization (A/℘)℘/℘x. Then R is a local ring and Frac(R) = Frac(A/℘), so, by theorem I.1.2.2, there exists a valuation subring B of Frac(A/℘) such that mR = R ∩mB.
Let y′ be the corresponding valuation on A (i.e. such that ℘y′ = ℘and Ry′ = B). By def-inition of y′, the image of A in K(y′) is included in Ry′, so we can construction a horizontal specialization z of y′ using the maximal ideal m of Ry′. The valuation corresponding to z is the composition of the map A →A/℘→Ry′ →Ry′/m and of the trivial valuation on Ry′/m. As mR = R ∩m and R also contains the image of A in A/℘, this valuation is also the composition of A →R →R/mR = Frac(A/℘x) and of the trivial valuation on Frac(A/℘x). In particular, we have ℘z = ℘x, so x is a vertical specialization of z. By proposition I.3.4.1(i), there exists a vertical specialization y of y′ such that x is a horizontal specialization of y; then ℘y = ℘y′ = ℘, so we are done.
Theorem I.3.4.3. (Proposition 4.21 of .) Let x, y ∈Spv(A) such that y is a specialization of x. Then : (i) There exists a vertical specialization x ⇝x′ such that y is a horizontal specialization of x′.
(ii) There exists a vertical generization y′ of y such that one of the following conditions holds : (a) y′ is a horizontal specialization of x; 41 I The valuation spectrum (b) |A|x ⊂Γx,≤1, y′ induces the trivial valuation on K(y′) = K(y), and ℘y′ = ℘y contains ℘x|{1}.
Note that the condition |A|x ⊂Γx,≤1 is equivalent to the fact that cΓx = {1}.
Proof.
(ii) We first assume that cΓx = {1} and that |A −℘y|x = {1}. Let H be the triv-ial subgroup of Γx. Then we can form the horizontal specialization x|H, and we have Ker(x|H) = {a ∈A | |a|x < 1} ⊂℘y. Let y′ be the composition of the map A →A/℘y and of the trivial valuation on Frac(A/℘y). Then y is a vertical specialization of y′ and ℘y′ ⊃Ker(x|H), so we are done. (And we are in case (b).) Now assume that cΓx ̸= {1} or |A −℘y|x ̸= {1}. We claim that the following relation holds : (∗) ∀a ∈A −℘y, ∀b ∈℘y, |a|x ≤|b|x ⇒|a|x = |b|x ̸= 0.
Indeed, the hypothesis that a ∈A −℘y and b ∈℘y means that |b|y = 0 ≤|a|y ̸= 0, which implies that y ∈U b a . As x is a generization of y, we must then also have x ∈U b a , i.e.
|b|x ≤|a|x ̸= 0. So, if |a|x ≤|b|x, we get |a|x = |b|x ̸= 0.
We prove that the ideal ℘y is x-convex. Let a, b ∈A such that b ∈℘y and |a|x ≤|b|x; we need to prove that a ∈℘y. Suppose that a ̸∈℘y; then, by (), we have |a|x = |b|x ̸= 0.
There are two cases: (1) If |A|x ̸⊂Γx,≤1 : Then there exists c ∈A such that |c|x > 1. We have |a|x < |bc|x, a ∈A −℘y and bc ∈℘y, which contradicts ().
(2) If |A|x ⊂Γx,≤1 and |A −℘y|x ̸= {1} : Then there exists c ∈A −℘y such that |c|x < 1. We have |ac|x < |b|x, ac ∈A −℘y and b ∈℘y, which again contradicts ().
So both cases are impossible, and this finishes the proof that ℘y is x-convex.
By proposition I.3.3.9, there exists a horizontal specialization y′ of x such that ℘y′ = ℘y.
To finish the proof, it suffices to show that y is a vertical specialization of y′; as ℘y = ℘y′, it suffices to show that y is a specialization of y′. So let f, g ∈A such that y ∈U f g ; we want to show that y′ ∈U f g . We have |f|y ≤|g|y ̸= 0. As x is a generization of y, this implies that |f|x ≤|g|x. We know that |a|y′ = |a|x or 0 for every a ∈A, by the formula in definition I.3.3.3. As ℘y = ℘y′, we have g ̸∈℘y′, so |g|y′ ̸= 0, hence |g|y′ = |g|x; so |f|y′ ≤|f|x ≤|g|y′, and we are done.
(i) Let y′ be the vertical generization of y given by (ii). If we are in case (ii)(a), then we get (i) by proposition I.3.4.1(i). So we may assume that we are in case (ii)(b), that is, that cΓx = {1}, that |.|y′ is trivial on K(y) and that ℘y ⊃Ker(x|H), where H = {1} ⊂Γx. By corollary I.3.4.2, there exists a horizontal generization z of y such that ℘z = Ker(x|H). As x|H induces the trivial valuation on K(x|H), it is generic in the fiber supp−1(Ker(x|H)), and so z is a vertical specialization of x|H. By proposition I.3.4.1(i), there exists a vertical 42 I.3 The specialization relation in Spv(A) specialization x′ of x such that z is a horizontal specialization of x′. Finally, by proposition I.3.3.11, y is a horizontal specialization of x′.
x / x|H y′ x′ / _ supp z / _ supp y _ supp ℘x / ℘x|H / ℘y Corollary I.3.4.4. Let x ∈Spv(A). If |A|x ̸⊂Γx,≤1, then x|cΓx has only vertical specializations.
Proof. Let y be a specialization of x|cΓx. Then y is also a specialization of x, so, by theorem I.3.4.3(ii), there exists a vertical generization y′ of y such that y′ is a horizontal specialization of x. But x|cΓx is the minimal horizontal specialization of x (remember that the set of horizontal specializations of x is totally ordered by proposition I.3.3.9), so it is a horizontal specialization of y′. As ℘y′ = ℘y ⊃℘x|cΓx (because y is a specialization of x|cΓx), we must have ℘y′ = ℘x|cΓx, hence y′ = x|cΓx by proposition I.3.3.9 again, so y is a vertical specialization of x|cΓx.
Corollary I.3.4.5. Let x ∈Spv(A). If |A|x ̸⊂Γx,≤1, then supp({x}) ⊂Spec(A) coincides with the set of x-convex prime ideals q of A, and, for every such q, the intersection supp−1(q) ∩{x} has a unique generic point, which is the horizontal specialization of x corresponding to q by proposition I.3.3.9.
Proof. Let y be a specialization of x. We want to show that ℘y is x-convex. By theorem I.3.4.3(ii), there exists a horizontal specialization y′ of x such that y is a vertical specialization of y′, and then ℘y = ℘y′, so ℘y is x-convex.
Now let q be a x-convex prime ideal of A, and let z be the unique horizontal specialization of x such that ℘z = q. and let y be a specialization of x such that ℘y = q. Then, by theorem I.3.4.3(ii), there exists a vertical specialization of y′ that is also a horizontal specialization of x.
As ℘y′ = q, we must have z = y′. So z is dense in {x} ∩supp−1(q).
Remark I.3.4.6. Let x ∈Spv(A). Suppose that A has a subfield k such that |.|x is not trivial on k. Then |A|x ̸⊂Γx,≤1. Indeed, let a ∈k be such that |a|x ̸= 1. Then either |a|x > 1 and we are done, or |a|x < 1 and then |a−1|x > 1.
43 I The valuation spectrum I.3.5 Examples Note the following useful remark to recognize specializations : Remark I.3.5.1. If x, y ∈Spv(A), then y is a specialization of x if and only if, for every f, g ∈A : (|f|y ≤|g|y ̸= 0) ⇒(|f|x ≤|g|x ̸= 0).
Indeed, y is a specialization of x if and only every open subset of Spv(A) that contains y also contains x, and the sets U f g generate the topology of Spv(A).
I.3.5.1 A = Qℓ[T]: For every r ∈(0, +∞), we define a valuation |.|r on A by the following formula : if f = P n≥0 anT n ∈A, then |f|r = max n≥0 {|an|ℓrn}.
It is not too hard to prove that |f|r = sup x∈Qℓ, |x|ℓ≤r |f(x)|ℓ.
We have Ker |.|r = (0) and cΓ|.|r = Γ|.|r = ⟨ℓ, r⟩⊂R>0. In particular, the valuation |.|r has no proper horizontal specialization.
Claim: The map (0, +∞) →Spv(A), r 7− →|.|r is continuous exactly at the points of (0, +∞) −ℓQ.
For every a ∈Qℓ, we define a valuation |.|a on A by |f|a = |f(a)|ℓ. The kernel of this valuation is (Pa), where Pa is the minimal polynomial of a over Qℓ; its valuation group is the subgroup of R>0 generated by ℓand |a|ℓ(so it is a subgroup of ℓQ), and we have cΓ|.|a = Γ|.|a.
We can also consider the T-valuation on A. Take Γ = γZ, with the convention that γ < 1, and define |.|T by f|T = γord0(f), where ord0(f) is the order of vanishing of f at 0 (and with the convention that ord0(0) = +∞and γ+∞= 0). We have Ker |.|T = (0), Γ|.|T = γZ and cΓ|.|T = {1}. So we can form the horizontal specialization |.|T|{1}. It sends f ∈A to 1 if ord0(f) = 0 and to 0 otherwise, so it is the trivial valuation on A with support (T).
These are all rank 1 valuations.
The rank 0 valuations are all of the form |.|℘,triv : A →A/℘ |.|triv →{0, 1}, where ℘∈Spec(A). For example, if ℘= (0), we get the trivial valuation of A, which is the generic point of Spv(A). We have seen in the previous paragraph that |.|(T),triv is a horizontal specialization of |.|T and that |.|T is a vertical specialization of |.|triv.
Does there exist a horizontal specialization of |.|triv that has |.|(T),triv as a vertical specialization 44 I.3 The specialization relation in Spv(A) ?
|.|triv / ?
|.|T / |.|(T),triv Let’s construct some rank 2 valuations. Consider the group Γ = R+ >0 × {1−}Z with the lexicographic order (here “1−” is just a symbol that we use to denote a generator of the second factor); in other words, we have r < 1−< 1 for every r ∈(0, 1), where we abbreviate (r, 1) to r for every r ∈R>0. Let r ∈(0, +∞), set r−= r · 1−∈Γ (so we have s < r−< r for every s ∈(0, r)), and define a valuation |.|r−on A by the following formula : if f = P n≥0 anT n ∈A, then |f|r = max n≥0 {|an|ℓ(r−)n}.
We have Ker |.|r−= (0) and cΓ|.|r−= Γ|.|r−= ⟨ℓ, r−⟩⊂Γ. It is easy to see that |.|r−is a vertical specialization of |.|r.
I.3.5.2 A = Z[T]: We can restrict all the valuations of the previous example to Z[T] (and we will use the same notation for them). But note that the groups cΓx can change.
For example, if r ∈(0, 1], we now have have cΓ|.|r = {1}, so we can form the horizontal specialization |.|′ r of |.|r corresponding to H = {1}. This is the trivial valuation on A with kernel {f ∈A | |f|r < 1}. If for example r = 1, this kernel is ℓA. If r = ℓ−1, then Ker |.|′ r is equal to { X n≥0 anT n | ∀n ∈N, |an|ℓ< ℓn} = (ℓ, T).
By proposition I.3.4.1(ii), there exists a unique horizontal specialization of |.|r−that is also a vertical specialization of |.|′ r. What is it ?
|.|r / |.|′ r |.|r− / ?
Remember that we also have the T-adic valuation |.|T : A →γZ ∪{0}. We can consider the mod ℓT-adic valuation |.|ℓ,T defined by |f|ℓ,T = γord0(f mod ℓ). This is a rank 1 valuation with kernel ℓA. It is a vertical specialization of the trivial valuation with kernel ℓA, which is a horizontal specialization of |.|r for r = 1 (it is equal to |.|′ 1). So there exists a vertical specialization of |.|1 that has |.|ℓ,T as a horizontal specialization. Question : what is this valuation 45 I The valuation spectrum ?
|.|1 / |.|′ 1 = |.|(ℓ),triv ?
/ |.|ℓ,T I.4 Valuations with support conditions Let A be commutative ring and J be an ideal of A such that Spec(A) −V (J) is quasi-compact.
The goal of this section is to study a subset of Spv(A) that we will denote by Spv(A, J). This subset will turn out to be the set of valuations on A that either have support in V (J), or that have support in Spec(A) −V (J) and have every proper horizontal specialization with support in V (J).
Our reason for studying this subset is that, if A is a topological ring of the type used by Huber (in Huber’s terminology, a f-adic ring), and if A00 is the set of topologically nilpotent elements of A, then the set Cont(A) of continuous valuations on A is a closed subset of Spv(A, A00 · A); in fact, it is the subset of valuations x such that |A00|x ⊂Γx,<1. So we will be able to deduce properties of Cont(A) from properties of the Spv(A, J). (Our reason for studying Cont(A) is that the space we are really interested in, the adic spectrum Spa(A, A+) of an affinoid ring, is a pro-constructible subset of Cont(A).) In this section, we will do the following things : - Give a more explicit definition of Spv(A, J).
- Prove that Spv(A, J) is spectral, and give an explicit base of quasi-compact open subsets (they are of the form Spv(A, J) ∩U f1,...,fn g for well-chosen sets {f1, . . . , fn} ⊂A).
- Construct a continuous and spectral retraction from Spv(A) onto Spv(A, J).
From now on, we fix a ring A an ideal J of A such that Spec(A) −V (J) is quasi-compact; remember that this last condition is equivalent to the fact that √ J is equal to the radical of a finitely generated ideal of A (see remark I.2.2.2).
Here is a summary of the section. In the first subsection, we want to construct a (somewhat explicit) retraction r : Spv(A) →Spv(A, J) such that r(x) is a horizontal specialization of x for evey x ∈Spv(A). Let x ∈Spv(A). There are three possibilities : (1) If supp(x) ∈V (J) (i.e. if |J|x = {0}), then we take r(x) = x.
(2) If supp(x) ̸∈V (J) and if x has no horizontal specialization with support in V (J), we take r(x) = x|cΓx (the minimal horizontal specialization of x; note that this is Spv(A, J), because it has no proper horizontal specializations). This happens if and only if |J|x ∩cΓx ̸= ∅. (See proposition I.4.1.1.) 46 I.4 Valuations with support conditions (3) If supp(x) ̸∈V (J) but x has at least one horizontal specialization with support in V (J), we want to take for r(x) the minimal horizontal specialization of x with support in Spec(A) −V (J). Proposition I.4.1.3 (and its corollaries) shows that such a specializa-tion exists and gives a construction of a convex subgroup HJ of Γx such that r(x) = x|HJ.
This is where we need the hypothesis on √ J : if √ J = p (a1, . . . , an), then HJ is the convex subgroup of Γx generated by max1≤i≤n{|ai|x}.
In the second subsection, we show that Spv(A, J) is spectral and give an explicit base of quasi-compact open subsets of its topology. This is a pretty straightforward application of Hochster’s spectrality criterion (theorem I.2.5.1) and of the spectrality of Spv(A) (theorem I.2.6.1).
I.4.1 Supports of horizontal specializations Proposition I.4.1.1. 4 ( Lemma 9.1.11 and Remark 9.1.12.) Let x ∈Spv(A). Then the following are equivalent : (i) |J|x ∩cΓx ̸= ∅.
(ii) |J|x ∩Γx,≥1 ̸= ∅.
(iii) Every horizontal specialization of x has support in Spec(A) −V (J).
(iv) The valuation x|cΓx has support in Spec(A) −V (J).
Proof. As x|cΓx is the horizontal specialization of x with minimal support (for the specialization relation in Spec(A)), (iii) and (iv) are equivalent. Also, as cΓx contains |A|x ∩Γx,≥1, (ii) implies (i).
Let’s prove that (i) implies (ii). Assume that (i) holds, and choose a ∈J such that |a|x ∈cΓx.
If |a|x ≥1, then (ii) holds, so we assume that |a|x < 1. By definition of cΓx, we can find b, b′ ∈A such that |b|x, |b′|x ≥1 and |b|x|b′|−1 x ≤|a|x < 1. Then 1 ≤|b|x ≤|ab′|x and ab′ ∈J, so |J|x ∩Γx,≥1 ̸= ∅.
Finally, we prove that (ii) and (iv) are equivalent. If |J|x ∩cΓx ̸= ∅, then there exists a ∈J such that |a|x ∈cΓx, and then we have |a|x|cΓx = |a|x ̸= 0, so a ̸∈supp(x|cΓx), i.e.
supp(x|cΓx) ̸∈V (J). Conversely, if supp(x|cΓx) ̸∈V (J), then J ̸⊂supp(x|cΓx), so there exists a ∈J such that |a|x|cΓx ̸= 0, and then we have |a|x = |a|x|cΓx ∈cΓx.
We now turn to the case where |J|x ∩cΓx = ∅. The following definition will be useful.
Definition I.4.1.2. If (Γ, ×) is a totally ordered abelian group and H is a subgroup of Γ, we say that γ ∈Γ ∪{0} is cofinal for H if for all h ∈H there exists n ∈N such that γn < h.
4This result holds for an ideal J of A, without the extra condition on √ J.
47 I The valuation spectrum Proposition I.4.1.3. ( Proposition 9.1.13.) Let x ∈Spv(A), and suppose that |J|x∩cΓx = ∅.
Then : (i) The set of convex subgroups H of Γx such that cΓx ⊂H and that every element of |J|x is cofinal for H is nonempty, and it has a maximal element (for the inclusion), which we will denote by HJ.
(ii) If moreover |J|x ̸= {0} (i.e.
if supp(x) ∈Spec(A) −V (J)), then HJ ̸= cΓx, |J|x ∩HJ ̸= ∅, and HJ is contained in every convex subgroup H of Γx satisfying |J|x ∩H ̸= ∅. In particular, x|HJ has support in Spec(A) −V (J), and it is the mini-mal horizontal specialization of x with that property.
Proof. If |J|x = {0}, then the elements of |J|x are cofinal for every subgroup of Γx, so every convex subgroup H ⊃cΓx satisfies the conditions of (i), and we can take HJ = Γx.
From now on, we assume that |J|x ̸= {0}, i.e. that supp(x) ̸∈V (J). By lemma I.4.1.4, none of the statements change if we replace J by its radical, so we may assume that J is finitely generated, say J = (a1, . . . , an). Let δ = max{|ai|x, 1 ≤i ≤n}. As |J|x ̸= {0}, we have δ ̸= 0, i.e. δ ∈Γx; also, as |J|x ∩cΓx = ∅, we have δ ̸∈cΓx and δ < 1. Let HJ be the convex subgroup of Γx generated by δ, that is, HJ = {γ ∈Γx|∃n ∈N, δn ≤γ ≤δ−n}.
Note that δ ∈HJ, and so we have HJ ∩|J|x ̸= ∅. We will show that this group HJ satisfies the properties of (i) and (ii).
First we show that HJ strictly contains cΓx. As convex subgroups of Γx are totally ordered by inclusion (see proposition I.1.3.4), we have cΓx ⊂HJ or HJ ⊂cΓx. As δ ∈HJ −cΓx, the second case is impossible, so cΓx ⊊HJ.
Next we show that every element of |J|x is cofinal for HJ.
Let I = {a ∈A | |a|x is cofinal for HJ}.
Note that a1, . . . , an ∈I.
Indeed, for every i ∈{1, . . . , n}, we have |ai|x ≤δ, and δ is cofinal for HJ by definition of HJ. By lemma I.4.1.4, I is a radical ideal of A, and in particular I ⊃J.
We have shown that HJ satisfies the properties of (i). Let’s show that it is maximal for these properties. Let H be a subgroup of Γx such that every element of |J|x is cofinal for H. In particular, the generator δ of HJ (which is an element of J|x) is cofinal for H. Let γ ∈H. There exists n ∈N such that δn < γ; as δ < 1, this means that δn < γ for every n big enough. As γ−1 ∈H, a similar property holds for γ−1, so we can find n ∈N such that δn < γ and δn < γ−1, and then we have δn < γ < δ−n, hence γ ∈HJ.
Finally, we prove (ii). We have already shown that cΓx ⊊HJ, and we have |J|x ∩HJ ̸= ∅by definition of HJ. Let H be a convex subgroup of Γx such that |J|x ∩H ̸= ∅. As before, using the fact that convex subgroups of Γx are totally ordered by inclusion, we see that cΓx ⊊H. To prove that HJ ⊂H, it suffices to show that δ ∈H. Let a ∈J such that |a|x ∈H. We write a = Pn i=1 biai, with b1, . . . , bn ∈A. Then |a|x ≤max{|bi|x|ai|x, 1 ≤i ≤n}, and we choose 48 I.4 Valuations with support conditions i ∈{1, . . . , n} such that |a|x ≤|bi|x|ai|x; note that |ai|x ≤δ by definition of δ. If |bi|x ≤1, then H ∋|a|x ≤|ai|x ≤δ < 1, so δ ∈H because H is convex. If |bi|x ≥1, then |bi|x ∈cΓx, so H ∋|bi|−1 x |a|x ≤|ai|x ≤δ < 1, and again we deduce that δ ∈H.
The last sentence of (ii) follows from the fact that, for any convex subgroup H ⊃cΓx of Γx, the valuation x|H has support in Spec(A) −V (J) if and only if |J|x ∩H ̸= ∅. (See for example the end of the proof of proposition I.4.1.1.) Lemma I.4.1.4. Let x ∈Spv(A).
(i) For every subgroup H of Γx, we have : |J|x ∩H = ∅⇔| √ J|x ∩H = ∅.
(ii) For every subgroup H of Γx, the following are equivalent : (a) every element of |J|x is cofinal for H; (b) every element of | √ J|x is cofinal for H.
Proof.
(i) We obviously have |J|x ∩H ⊂| √ J|x ∩H, so |J|x ∩H = ∅if | √ J|x ∩H = ∅.
Conversely, suppose that | √ J|x ∩H ̸= ∅, and let a ∈ √ J such that |a|x ∈H. There exists N ≥1 such that aN ∈J, and then |a|N x ∈|J|x ∩H, so |J|x ∩H ̸= ∅.
(ii) Obviously (b) implies (a). If (a) holds, let a ∈ √ J. Then aN ∈I for some N ≥1. Let γ ∈H. Then there exists n ∈N such that |aN|n x < γ, i.e. |a|nN x < γ. So |a|x is cofinal for H.
Lemma I.4.1.5. Let x ∈Spv(A), and let H be a subgroup of Γx such that cΓx ⊊H. Then I = {a ∈A | |a|x is cofinal for H} is a radical ideal of A.
Proof. Let a, b ∈I. As |a + b|x ≤max(|a|x, |b|x), and as both |a|x and |b|x is cofinal for H, so is |a + b|x, hence a + b ∈I.
Let a ∈I and c ∈A. If |c|x ≤1, then |ca|x ≤|a|x, so |ca|x is cofinal for H, and ca ∈I.
Suppose that |c|x > 1, then |c|x ∈cΓx ⊂H. Let γ ∈H −cΓx. As cΓx is convex, γ is either smaller than all the elements of cΓx, or bigger than all the elements of cΓx; replacing γ by γ−1 if necessary, we may assume that we are in the first case. So δ < γ−1 for every δ ∈cΓx, and in particular |c|n x < γ−1 for every n ∈N. Let n ∈N such that |a|n x < γ. Then we have, for every N ∈N, |ca|n+N x = |c|n+N x |a|n x|a|N x < γ−1|a|n x|a|N x < |a|N x , so |ca|x is cofinal for H (because |a|x is), and finally ca ∈I.
49 I The valuation spectrum So we have shown that I is an ideal. The fact that I is radical follows immediately from (ii) of lemma I.4.1.4.
Definition I.4.1.6.
(i) Let x ∈Spv(A). We define a convex subgroup cΓx(J) of Γx by the following formula cΓx(J) = HJ if |J|x ∩cΓx = ∅; cΓx if |J|x ∩cΓx ̸= ∅.
(Where HJ is defined in (i) of proposition I.4.1.3.) (ii) We define a map r : Spv(A) →Spv(A) by r(x) = x|cΓx(J).
Remark I.4.1.7. For x ∈Spv(A), the subgroup cΓx(J) of Γx depends only on √ J. Hence the map r depends only on √ J. (We actually showed this at the beginning of the proof of proposition I.4.1.3.) These objects satisfy the following properties.
Corollary I.4.1.8. ( Proposition 9.2.2.) Let x ∈Spv(A). Then : (i) cΓx(J) is a convex subgroup of Γx, and cΓx ⊂cΓx(J).
(ii) cΓx(J) = Γx if and only if every proper horizontal specialization of x has support in V (J).
(iii) If |J|x ̸= {0}, then cΓx(J) is minimal among all the convex subgroups H of Γx such that H ⊃cΓx and H ∩|J|x ̸= ∅.
(iv) If |J|x ∩cΓx = ∅, then cΓx(J) is maximal among all the convex subgroups H of Γx such that H ⊃cΓx and that every element of |J|x is cofinal for H.
(v) We have r(x) = x if and only if cΓx(J) = Γx.
Proof.
(i) This follows immediately from the definition of cΓx(J).
(iii) This is point (ii) of proposition I.4.1.3.
(iv) This is point (i) of proposition I.4.1.3.
(ii) If |J|x = {0}, then cΓx(J) = HJ = Γx and x has support in V (J) (hence all its special-izations also do).
Suppose that |J|x ̸= {0}. If cΓx(J) = Γx, let y be a proper horizontal specialization of x, and write y = x|H, with cΓx ⊂H ⊊Γx = cΓx(J); by (iii), we have H ∩|J|x = ∅, hence supp(y) ̸∈V (J). Conversely, suppose that supp(y) ̸∈V (J) for every proper horizontal specialization y of x (in particular, supp(x) ̸∈V (J)). Then H ∩|J|x = ∅for every proper convex subgroup H ⊃cΓx of Γx, so Γx is the only convex subgroup of Γx containing cΓx and meeting |J|x, hence Γx = cΓx(J) by (iii).
50 I.4 Valuations with support conditions (v) If cΓx(J) = Γx, then obviously r(x) = x. Conversely, suppose that r(x) = x. Then |A|x ⊂cΓx(J). As |A|x generates Γx, this implies that cΓx(J) = Γx.
I.4.2 The subspace Spv(A, J) Definition I.4.2.1. We define a subset Spv(A, J) of Spv(A) by Spv(A, J) = {x ∈Spv(A) | r(x) = x} = {x ∈Spv(A) | cΓx(J) = Γx}.
Remark I.4.2.2.
(1) We have supp−1(V (J)) = {x ∈Spv(A) | |J|x = {0}} ⊂Spv(A, J).
(2) If J = A, then Spv(A, A) is the set of x ∈Spv(A) having no proper horizontal specializa-tions. (This follows from corollary I.4.1.8(ii).) (3) By remark I.4.1.7, we have Spv(A, J) = Spv(A, √ J) (in other words, Spv(A, J) only depends on √ J).
(4) By definition, the map r is a retraction from Spv(A) onto Spv(A, J) (i.e.
Im(r) = Spv(A, J) and r2 = r).
Lemma I.4.2.3. ( Lemma 9.2.4) Let a1, . . . , an ∈J such that p (a1, . . . , an) = √ J, and let x ∈Spv(A). The following are equivalent : (i) x ∈Spv(A, J).
(ii) Γx = cΓx, or |a|x is cofinal for Γx for every a ∈J.
(iii) Γx = cΓx, or |ai|x is cofinal for Γx for every i ∈{1, . . . , n}.
Proof. If (i) holds and cΓx ̸= Γx, then cΓx(J) ̸= cΓx, so Γx = cΓx(J) = HJ, and the second part of (ii) holds by proposition I.4.1.1(i). Suppose that (ii) holds. If cΓx = Γx, then cΓx(J) = Γx. If every element of |J|x is cofinal for Γx, then |J|x ∩Γx,≥1 = ∅, so |J|x ∩cΓx = ∅by proposition I.4.1.1. So, by corollary I.4.1.8(iv), cΓx(J) is maximal among all the convex subgroup H ⊃cΓx of Γx such that every element of |J|x is cofinal for H; as Γx itself satisfies these properties by assumption, we have cΓx(J) = Γx.
As (ii) obviously implies (iii), it remains to show that (iii) implies (ii). Suppose that (iii) holds, and that Γx ̸= cΓx. By lemma I.4.1.5, the set of elements of a such that |a|x is cofinal for Γx is a radical ideal of A, so, if it contains a1, . . . , an, it also contains J.
We come to the main theorem of this section.
Theorem I.4.2.4. (Proposition 9.2.5 of , lemma 7.5 of .) 51 I The valuation spectrum (i) Spv(A, J) is a spectral space (for the topology induced by the topology of Spv(A)).
(ii) A base of quasi-compact open subsets for the topology of Spv(A, J) is given by the sets UJ f1, . . . , fn g = {x ∈Spv(A, J) | ∀i ∈{1, . . . , n}, |fi|x ≤|g|x ̸= 0}, for nonempty finite sets {f1, . . . , fn} such that J ⊂ p (f1, . . . , fn).
(iii) The retraction r : Spv(A) →Spv(A, J) is a continuous and spectral map.
(iv) If x ∈Spv(A) has support in Spec(A) −V (J), so does r(x).
Note that the inclusion Spv(A, J) →Spv(A) is not spectral in general.
Proof. We may assume that J is finitely generated.
We proceed in several steps.
(1) Let U be the family of subsets defined in (ii). First, as the elements of U are the intersec-tion with Spv(A, J) of open subsets of Spv(A), they are all open in Spv(A, J). Also, if f1, . . . , fn ∈A are such that J ⊂ p (f1, . . . , fn) and g ∈A, then clearly UJ f1, . . . , fn g = UJ f1, . . . , fn, g g .
(2) We show that U is stable by finite intersections. Let T, T ′ be two finite subsets of A such that J ⊂ p (T) and J ⊂ p (T ′), and let g, g′ ∈A.
We want to show that UJ T g ∩UJ T ′ g′ ∈U .
By (1), we may assume that g ∈T and g′ ∈T ′.
Let T ′′ = {ab, a ∈T, b ∈T ′}. Then J ⊂ p (T ′′), and we have UJ T g ∩UJ T ′ g′ = UJ T ′′ gg′ .
(3) We show that U is a base of the topology of Spv(A, J). Let x ∈Spv(A, J), and let U be an open neighborhood of x in Spv(A). We want to find an element of U that is contained in U. Choose f1, . . . , fn, g ∈A such that x ∈U f1,...,fn g ⊂U.
Suppose that Γx = cΓx. Then there exists a ∈A such that |g|−1 x ≤|a|x, i.e., |ag|x ≥1, and then x ∈UJ af1, . . . , afn, 1 ag ⊂U f1,...,fn g .
Suppose that Γx ̸= cΓx. Let a1, . . . , am be a set of generators of J. By lemma I.4.2.3, there exists r ∈N such that |ai|r x < |g|x for every i ∈{1, . . . , m}, and then x ∈UJ f1, . . . , fn, ar 1, . . . , ar m g ⊂U f1,...,fn g .
52 I.4 Valuations with support conditions (4) Let T be a finite subset of A such that J ⊂ p (T), and let g ∈A. We write V = UJ T g and W = U T g We claim that r−1(V ) = W.
We obviously have V ⊂W. As every point of r−1(V ) is a (horizontal) generization of a point of V and as W is open, this implies that r−1(V ) ⊂W. Conversely, let x ∈W; we want to show that y := r(x) ∈V . If |J|x = {0}, then cΓx(J) = Γx, so r(x) = x ∈V .
So we may assume that |J|x ̸= {0}, i.e. that supp(x) ̸∈V (J). Then |J|x ∩cΓx(J) ̸= ∅ (indeed, if |J|x ∩cΓx = ∅, then cΓx(J) = HJ, and HJ ∩|J|x ̸= ∅by definition); in particular, supp(y) ̸∈V (J), so (iv) holds. Let H = cΓx(J), so that y = x|H. Suppose that g ∈Ker(y). As Ker(y) is x-convex, this implies that a ∈Ker(y) for every a ∈T, so Ker(y) ⊃ p (T) ⊃J, which contradicts the fact that |J|x ∩H ̸= ∅. So g ̸∈Ker(y), and in particular |g|y = |g|x ̸= 0. As |a|y ≤|a|x for every a ∈A, we deduce that y ∈W, hence that y ∈V = W ∩Spv(A, J).
(5) Let C be the smallest collection of subsets of Spv(A, J) that contains U and is stable by finite unions, finite intersections and complements, and let X′ be Spv(A, J) with the topology generated by C . By (4), for every Y ∈C , r−1(Y ) is a constructible subset of Spv(A). Hence r : Spv(A)cons →X′ is a continuous map. Since Spv(A)cons is quasi-compact (proposition I.2.4.1) and r is surjective, X′ is also quasi-compact. By definition of the topology of X′, every element of U is open and closed in X′. Also, Spv(A, J) is T0, because it is a subspace of the T0 space Spv(A), and U is a base of the topology of Spv(A, J) by (3). So Hochster’s spectrality criterion (theorem I.2.5.1) implies that Spv(A, J) is spectral, that X′ = Spv(A, J)cons and that U is a base of quasi-compact open subsets of Spv(A, J). This shows (i) and (ii), and (iii) follows from (4).
53 II Topological rings and continuous valuations II.1 Topological rings II.1.1 Definitions and first properties Definition II.1.1.1. Let A be a topological ring.
(i) We say that A is non-Archimedean if 0 has a basis of neighborhoods consisting of sub-groups of the underlying additive group of A.
(ii) We say that A is adic if there exists an ideal I of A such that (In)n≥0 is a fundamental system of neighborhoods of 0 in A. In that case, we call the topology on A the I-adic topology and we say that I is an ideal of definition.
If M is a A-module, the topology on M for which (InM)n≥0 is a fundamental system of neighborhoods of 0 is also called the I-adic topology on M.
(iii) We say that A if a f-adic ring (or a Huber ring) if there exists an open subring A0 of A and a finitely generated ideal I of A0 such that (In)n≥0 is a fundamental system of neighborhoods of 0 in A0. In that case, we say that A0 is a ring of definition (for the topology of A), that I is an ideal of definitin of A0 and that (A0, I) is a couple of definition.
(iv) We say that A is a Tate ring if it is a f-adic ring and has a topologically nilpotent unit.
Note that A0 and I in point (iii) are far from unique in general. (See for example corollary II.1.1.8.) Remark II.1.1.2.
(1) Note that we are not assuming that A is separated and/or complete for the I-adic topology.
(2) If I and J are two ideals of A, then J-adic topology on A is finer than the I-adic topology if and only if there exists a positive integer n such that Jn ⊂I.
Definition II.1.1.3. Let A be a topological ring. A subset E of A is called bounded (in A) if for every neighborhood U of 0 in A there exists an open neighborhood V of 0 such that ax ∈U for every a ∈E and x ∈V .
55 II Topological rings and continuous valuations Remark II.1.1.4. Let A be a topological ring and A0 be an open adic subring of A. Then A0 is bounded in A. Indeed, let I be an ideal of A0 such that the topology on A0 is the I-adic topology.
As A0 is open in A, the family (In)n≥0 is a fundamental system of neighborhoods of 0 in A. Let U be an open subset of A such that 0 ∈U. Then there exists n ≥0 such that In ⊂U, so, if we take V = In, then ax ∈U for every a ∈A0 and every x ∈V .
Notation II.1.1.5. Let A be a ring. If U, U1, . . . , Ur are subsets of A (with r ≥2) and n is a positive integer, we write U1 · . . . · Ur for the set of finite sums of products a1 . . . ar with ai ∈Ui, and U(n) = {a1 . . . an, a1, . . . , an ∈U}. If U1 = . . . = Ur = U, we write U r instead of U · . . . · U.
Proposition II.1.1.6. (Proposition 6.1 of .) Let A be a topological ring. Then the following are equivalent : (i) A is a f-adic ring.
(ii) There exists an additive subgroup U of A and a finite subset T of U such that (U n)n≥1 is a fundamental system of neighborhoods of 0 in A and such that T · U = U 2 ⊂U.
The proof rests on the following lemma.
Lemma II.1.1.7. (Lemma 6.2 of .) Let A be a topological ring and A0 be a subring of A (with the subspace topology). The following are equivalent : (a) A is f-adic and A0 is a ring of definition.
(b) A is f-adic, and A0 is open in A and adic.
(c) A satisfies condition (ii) of proposition II.1.1.6, and A0 is open in A and bounded.
Proof. Note that (a) trivially implies (b). Also, (b) implies (c) by remark II.1.1.4. So it remains to show that (c) implies (a).
Let U and T be as in condition (ii) of proposition II.1.1.6, and suppose that A0 is open and bounded in A. Then there exists a positive integer r such that U r ⊂A0, and we have T(r) ⊂U r ⊂A0. Let I be the ideal of A0 generated by T(r); note that I is finitely generated, because T(r) is finite. For every n ≥1, we have In = T(nr)A0 ⊃T(nr)U r = U r+nr, so In is an open neighborhood of 0 in A0. Let U be any open neighborhood of 0 in A0. As A0 is bounded and (U m)m≥1 is a fundamental system of neighborhoods of 0, there exists a positive integer m such that U mA0 ⊂U, hence Im ⊂U. So (In)n≥1 is a fundamental system of neighborhoods of 0 in A0, i.e. the topology on A0 is the I-adic topology. As A0 is open in A, we are done.
56 II.1 Topological rings Proof of proposition II.1.1.6. It is easy to see that (i) implies (ii) (take U = I and take for T a finite system of generators of I).
Conversely, suppose that A satisfies (ii). Let A0 = Z + U. This is open in A because U is, and it is a subring because U n ⊂U for every n ≥1. If we show that A0 is bounded, we will be done thanks to lemma II.1.1.7. Let V be a neighborhood of 0 in A. By assumption, there exists a positive integer m such that U m ⊂V . As U m is open and A0 · U m = U m + U m+1 ⊂U m ⊂V , we are done.
Corollary II.1.1.8. (Corollary 6.4 of .) Let A be a f-adic ring.
(i) If A0 and A1 are two rings of definition of A, then so are A0 ∩A1 and A0 · A1.
(ii) Every open subring of A is f-adic.
(iii) If B ⊂C are subrings of A with B bounded and C open, then there exists a ring of definition A0 of A such that B ⊂A0 ⊂C.
(iv) A is adic if and only if it is bounded (in itself).
Proof.
(i) If A0 and A1 are rings of definition, they are open and bounded, hence so are A0 ∩A1 and A0 · A1, so A0 ∩A1 and A0 · A1 are also rings of definition by lemma II.1.1.7.
(ii) Let B be an open subring of A, and let (A0, I) be a couple of definition in A. Then there exists a positive integer n such that In ⊂B, and (B ∩A0, In) is a couple of definition in B.
(iii) By (ii), we may assume that C = A. Let A0 be a ring of definition of A. Then A0 · B is open and bounded, hence is a ring of definition by lemma II.1.1.7.
(iv) If A is bounded, then it is a ring of definition of itself by lemma II.1.1.7, so it is adic.
Conversely, if A is adic, then it is bounded by remark II.1.1.4.
Remark II.1.1.9. Suppose that A is f-adic and that (A0, I0) and (A1, I1) are couples of definition.
Then we know that A0 · A1 is a ring of definition, and it is easy to see that I0 · A1 and I1 · A0 both are ideals of definition in it. On the other hand, we also know that A0 ∩A1 is a ring of definition, but there is no reason for I0 ∩I1 to be an ideal of definition (because we don’t know if it is finitely generated).
II.1.2 Boundedness Recall that bounded subsets of topological rings are introduced in definition II.1.1.3.
57 II Topological rings and continuous valuations Definition II.1.2.1. Let A be a topological ring. We say that a subset E of A is power-bounded if the set S n≥1 E(n) is bounded, where (as in notation II.1.1.5 E(n) = {e1 . . . en, e1, . . . , en ∈E}.
We say that E is topologicall nilpotent if, for every neighborhood W of 0 in A, there exists a positive integer N such that E(n) ⊂W for n ≥N.
If E is a singleton {a}, we say that a is power-bounded (resp. topologically nilpotent) if E is.
1 Notation II.1.2.2. Let A be a topological ring. We denote by A0 the subset of its power-bounded elements, and by A00 the subset of its topologically nilpotent elements.
Lemma II.1.2.3. (Remark 5.26 of .) Let A be an adic ring. If x ∈A, the following are equivalent : (i) x is topologically nilpotent.
(ii) There exists an ideal of definition I such that the image of x in A/I is nilpotent.
(iii) There exists an ideal of definition I such that x ∈I.
In particular, A00 is an open radical ideal of A and it is the union of all the ideals of definition.
Moreover, A00 itself is an ideal of definition if and only if there exists an ideal of definition I such that the nilradical of A/I is nilpotent (and then this condition holds for all ideals of definition).
Proof. We first prove the equivalence of (i), (ii) and (iii), for x ∈A. It is clear that (iii) implies (i). Suppose that (i) holds. Let I be an ideal of definition of A. As I is a neighborhood of 0, there exists N ∈N such that xn ∈I for n ≥N; so the image of x in A/I is nilpotent, and (ii) holds.
Finally, suppose that (ii) holds, and let I be an ideal of definition such that x + I is nilpotent in A/I. Let n be a positive integer such that xn ∈I, and let J = I + xA. Then J is an open ideal of A, I ⊂J, and Jn ⊂I, so the I-adic and J-adic topologies on A coincide, which means that J is an ideal of definition; this shows that (iii) holds.
We now prove the rest of the lemma. The fact that A00 is the union of all the ideals of definition follows from the equivalence of (i) and (iii); in particular, as ideals of definition are open, A00 is also open; it is clear that A00 is radical. If A00 is an ideal of definition, then there exists an ideal of definition I such that the nilradical of A/I is nilpotent (just take I = A00, and observe that the nilradical of A/A00 is (0)). Conversely, suppose that there exists an ideal of definition I such that the nilradical of A/I is nilpotent. Then there exists a positive integer n such that (A00)n ⊂I, so the I-adic and A00-adic topologies on A coincide, i.e., A00 is an ideal of definition.
Proposition II.1.2.4. (Corollary 6.4 of .) Let A be a f-adic ring. Then the set of power-bounded elements A0 is an open and integrally closed subring of A, and it is the union of all the rings of definition of A. Moreover, A00 is a radical ideal of A0.
1Note that this agrees with definition I.1.5.3.
58 II.1 Topological rings Note that A00 is not an ideal of A in general.
Remark II.1.2.5. (See proposition 5.30 of , or adapt the proof below.) All the assertions remain true for a non-Archimedean ring A, except the fact that A0 is open and the union of all the rings of definition of A.
Proof of the proposition. By (iii) of corollary II.1.1.8, every bounded subring of A is contained in a ring of definition; by (ii) of lemma II.1.2.6, this implies that every power-bounded element of A is contained in a ring of definition, so A0 is contained in the union of all the rings of definition of A. Conversely, if A0 is a ring of definition of A, then it is bounded by remark II.1.1.4, so all its elements are power-bounded by lemma II.1.2.6(ii), so A0 ⊂A0. This proves that A0 is the union of all the rings of definition of A, so it is a subring of A; as rings of definition are open, A0 is open.
We show that A0 is integrally closed in A. Let a ∈A be integral over A0. By the previous paragraph, there exists a ring of definition A0 such that a is integral over A0; in particular, A0 is bounded. So there exists n ∈N such that A0[a] = A0 + A0a + . . . + A0an, hence A0[a] is bounded, which implies that a is power-bounded, i.e., a ∈A0.
We prove that A00 is a radical ideal of A0. Let a, a′ ∈A00 and b ∈A0. We prove that a + a′, ab ∈A00. Let U be a neighborhood of 0 in A; as A is non-Archimedean, we may assume that U is an additive subgroup of A. Let V ⊂U be a neighborhood of 0 such that bnV ⊂U for every n ≥1, and let N be a positive integer such that an, (a′)n ∈V for n ≥N. Then (a+a′)n ∈U for n ≥2N by the binomial formula, and (ab)n = bnan ∈bnV ⊂U for n ≥N. It remains to show that A00 is a radical ideal of A0. Let a ∈A0, and suppose that we have ar ∈A00 for some positive integer r. Let U be a neighborhood of 0 in A, and let V be a neighborhood of 0 such that anV ⊂U for every n ≥1. Choose a positive integer N such that (ar)n ∈V for every n ≥N. Then we have an ∈U for every n ≥rN. This shows that a ∈A00.
Lemma II.1.2.6. (Proposition 5.30 of .) Let A be a non-Archimedean topological ring.
(i) Let T be a subset of A, and let T ′ be the subgroup generated by T. Then T ′ is bounded (resp. power-bounded, resp. topologically nilpotent) if and only if T is.
(ii) Let T be a subset of A. Then T is power-bounded if and only if the subring generated by T is bounded.
Proof.
(i) We prove the non-obvious direction. Suppose that T is bounded. Let U be a neigh-borhood of 0, and let V be a neighborhood of 0 such that ax ∈U for every a ∈T and x ∈V . As A is non-Archimedean, we may assume that U and V are additive subgroups of A, and then we have T ′ · V ⊂U. So T ′ is bounded. The proofs are similar for T power-bounded and T topologically nilpotent.
(ii) Let B be the subring generated by T. Then B is the subgroup generated {1} ∪S n≥1 T(n), so, by (i), it is bounded if and only if {1} ∪S n≥1 T(n) is bounded; we see easily that this 59 II Topological rings and continuous valuations equivalent to the fact that S n≥1 T(n) is bounded, i.e. that T is power-bounded.
Note the following useful lemma characterizing open ideals of A.
Lemma II.1.2.7. Let A be a f-adic ring and J be an ideal of A. Then J is open if and only if A00 ⊂ √ J.
Proof. Suppose that J is open. Then it is a neighborhood of 0 in A, so, for every a ∈A00, we have an ∈J for n big enough, which means that A00 ⊂ √ J.
Conversely, suppose that A00 ⊂ √ J. Let (A0, I) be a couple of definition of A. Then I ⊂A00 by lemma II.1.2.3, so I ⊂ √ J. Write I = (a1, . . . , ar) with a1, . . . , ar ∈A0, and choose N ∈N such that aN 1 , . . . , aN r ∈J. Then J contains IrN, and IrN is open, so J is open.
II.1.3 Bounded sets and continuous maps A continuous map of f-adic rings does not necessarily send bounded sets to bounded sets. We want to introduce a condition that will guarantee this property.
Definition II.1.3.1. Let A and B be f-adic rings. A morphism of rings f : A →B is called adic if there exist a couple of definition (A0, I) of A and a ring of definition B0 of B such that f(A0) ⊂B0 and that f(I)B0 is an ideal of definition of B.
Example II.1.3.2.
(1) A continuous, surjective and open morphism of f-adic rings is adic.
(2) Let A be Qℓwith the discrete topology and B be Qℓwith the topology given by the ℓ-adic valuation. Then the identity f : A →B is continuous, and A is bounded in A, but f(A) is not bounded in B. By proposition II.1.3.3, this implies that f is not adic.
(3) Let f : Zℓ→Zℓ be the inclusion, where Zℓhas the ℓ-adic topology and Zℓ has the (ℓ, X)-adic topology. Then f is not adic.
Proposition II.1.3.3. Let A and B be f-adic rings and f : A →B be an adic morphism of rings.
Then : (i) f is continuous.
(ii) If A0 and B0 are rings of definition of A and B such that f(A0) ⊂B0, then, for every ideal of definition I of A0, the ideal f(I)B0 is an ideal of definition of B.
(iii) For every bounded subset E of A, the set f(E) is bounded in B.
Proof. Let (A0, I) and B0 be as in definition II.1.3.1, and write J = f(I)B0.
60 II.1 Topological rings (i) For every n ≥1, we have f −1(Jn) = f −1(f(In)B0) ⊃In. So f is continuous.
(ii) Let (A′ 0, I′) be a couple of definition of A and B′ 0 be a ring of definition of B such that f(A′ 0) ⊂B′ 0. We want to show that J := f(I′)B′ 0 is an ideal of definition of B′ 0.
(iii) Let U be a neighborhood of 0 in B. We may assume that U = Jn for some n ≥1. Let V be a neighborhood of 0 in A such that ax ∈In for every a ∈E and every x ∈V ; we may assume that V = Im for some m ≥1. Then f(E) · f(I)m = f(E · Im) ⊂f(In) ⊂Jn, so f(E)Jm ⊂Jn.
Proposition II.1.3.4. (Proposition 6.25 of .) Let A and B be f-adic rings and f : A →B be a continuous morphism of rings. Suppose that A is a Tate ring. Then B is a Tate ring, f is adic, and, for every ring of definition B0 of B, we have f(A) · B0 = B.
Proof. Let B0 be a ring of definition of B. By lemma II.1.3.5, we can find a ring of definition A0 of A such that f(A0) ⊂B0. Let ϖ ∈A be a topologically nilpotent unit. After replacing replacing ϖ by some ϖr, we may assume that ϖ ∈A0. As f is a continuous morphism of rings, f(ϖ) ∈B0 is a topologically nilpotent unit of B. In particular, B is a Tate ring. By proposition II.2.5.2, I := ϖA0 is an ideal of definition of A0, and f(I)B0 = f(ϖ)B0 is an ideal of definition of B0. So f is adic. Also, by the same lemma, we have B = B0[f(ϖ)−1], so B = f(A) · B.
Lemma II.1.3.5. Let f : A →B be a continuous morphism of f-adic rings. For every ring of definition B0 of B, there exists a ring of definition A0 of A such that f(A0) ⊂B0.
Proof. Let A′ 0 and B0 be rings of definition of A and B. Then f −1(B0) is an open subring of A and A′ 0 ∩f −1(B0) is a bounded subring, so, by corollary II.1.1.8(iii), there exists a ring of definition A0 of A such that A′ 0 ∩f −1(B0) ⊂A0 ⊂f −1(B0), and we clearly have f(A0) ⊂B0.
II.1.4 Examples Some of these will be particular cases of constructions that we will see later, I’ll add references later for the others.
1. Any ring is a topological ring for the discrete topology. It is f-adic but not Tate.
2. The rings R and C (with the usual topology) are topological rings. They are not non-Archimedean. A subset of C (or R) is bounded if and only if it is bounded in the usual sense. We have C0 = {z ∈C | |z| ≤1} 61 II Topological rings and continuous valuations and C00 = {z ∈C | |z| < 1}.
Note that these are not additive subgroups.
3. Zℓwith the ℓ-adic topology is an adic topological ring (any power of ℓZℓis an ideal of definition), and Qℓwith the ℓ-adic topology is an f-adic topological ring (with Zℓas a ring of definition). We have Q0 ℓ= Zℓand Q00 ℓ= ℓZℓ.
4. Qℓ(with the topology coming from the unique extension of the ℓ-adic valuation on Qℓ) is a f-adic ring. We have Q 0 ℓ= Zℓ, the integral closure of Zℓin Qℓ; this is a ring of definition, and it is adic with ideal of definition ℓZℓ(for example). Also, Q 00 ℓis the maximal ideal of Zℓ; it is not an ideal of definition, because it is equal to its own square (also, it is not finitely generated).
Note that Z + ℓZℓis also a ring of definition of Qℓ, because it is open and bounded.
5. Let A be a Noetherian ring and I an ideal of A. The I-adic topology on A is Hausdorff if I is contained in the Jacobson radical of A (for example if A is local and I ̸= A), or if A is a domain and I ̸= A.
6. Let A be a ring with the topology induced by a rank 1 valuation |.|, and let Γ be the valuation group of |.|. Then : - a subset E of A is bounded if and only if there exists γ ∈ Γ such that E ⊂{a ∈A | |a| ≤γ}.
- A0 = {a ∈A | |a| ≤1}; - A00 = {a ∈A | |a| < 1}.
These statements are all false if |.| has rank ≥2. Indeed, in that case Γ has a proper convex subgroup ∆, and an element of A that has valuation in ∆cannot be topologically nilpotent, because there exists γ ∈Γ such that γ < δ for every δ ∈∆.
7. Let A = k((t))((u)), with the valuation |.| corresponding to the valuation subring R := {f = P n≥0 anun | an ∈k((t)) and a0 ∈k}. More explicitly, take Γ = Z × Z; if f = P n≥r anun ∈A with an ∈k((t)) and ar ̸= 0, and if ar = P m≥s bmtm with bm ∈k and bs ̸= 0, then |f| = (−r, −s).
2 Note that the valuation topology on A coincides with the topology defined by the u-adic valuation (see example I.1.5.5). So t ∈A is not topologically nilpotent, even though it has valuation < (0, 0).
8. Let k be a field with the topology induced by a rank 1 valuation |.|.
Then k0 = {x ∈k | |x| ≤1} is a ring of definition of k (often called the ring of integers of k); it is a local ring with maximal ideal k00 = {x ∈k | |x| < 1}. A nonzero topologi-cally nilpotent in k, i.e. an element of k00 −{0} is called a pseudo-uniformizer. k is a Tate ring; a ring of definition is k0, and any pseudo-uniformizer generates an ideal of definition 2We put the minus signs so that |.| will be a multiplicative valuation; see remark I.1.1.11.
62 II.1 Topological rings of k0.
The Tate algebra in n indeterminates over k is the subalgebra Tn = Tn,k = l⟨X1, . . . , Xn⟩ of k whose elements are power series f = P ν∈Nn aνXν such that |aν| →0 as ν1 + . . . + νn →+∞(where ν = (ν1, . . . , νn)).
The Gauss norm ∥.∥on Tn is defined by ∥P ν aνXν∥= supν∈Nn |aν|.
With the topology induced by this norm, Tn is a Tate ring, and contains k[X1, . . . , Xn] as a dense subring.
We have T 0 n = k0⟨X1, . . . , Xn⟩:= Tn ∩k0, and this is a ring of defi-nition.
Any pseudo-uniformizer of k generates an ideal of definition of T 0 n.
Also, T 00 n = k00⟨X1, . . . , Xn⟩.
9. We keep the notation of the previous example, and we suppose that k is complete.3 The algebra k⟨X1, . . . , Xn⟩ is a Banach k-algebra, it is Noetherian and all its ideals are closed.
Alors, if Bn(k) is the closed unit ball in k n (i.e.
Bn(k) = {(x1, . . . , xn) ∈k n | ∀i ∈{1, . . . , n}, |xi| ≤1}, where we denote by |.| the uniaue extension of the valuation |.| to k), then a formal power series f ∈k is in k⟨X1, . . . , Xn⟩if and only if, for every x ∈Bn(k), the series f(x) converges in the completion of k.
An affinoid k-algebra is a quotient of an algebra k⟨X1, . . . , Xn⟩. These are also called topologically finitely generated k-algebras. . Such an algebra is also a Tate ring, it is Noetherian, and all its ideals are closed. Also, if A is an affinoid k-algebra, then A0 is a ring of definition of A (i.e. bounded) if and only if A is reduced. (The fact that A is reduced if A0 is bounded is proved in remark IV.1.1.3, and the converse follows immediately from Theorem 1 of section 6.2.4 of .) For example, A = Qℓ[T]/(T 2) is an affinoid Qℓ-algebra (note that A is also equal to Qℓ⟨T⟩/(T 2)), but A0 = Zℓ⊕QℓT is not bounded (neither is A00 = ℓZℓ⊕QℓT).
10. Another important class of examples are perfectoid algebras. These are always Tate rings.
For example, Cℓis a perfectoid field, and the ℓ-adic completion of S n≥1 Cℓ⟨X1/ℓn⟩is a perfectoid Cℓ-algebra.
11. A = Zℓ with the (ℓ, T)-adic topology is an adic and f-adic ring, but it is not a Tate ring. This type of f-adic ring is also very useful, because their adic spectra will be formal schemes.
3Some of the results are still true under weaker conditions.
63 II Topological rings and continuous valuations II.2 Continuous valuations II.2.1 Definition Definition II.2.1.1. Let A be a topological ring. We say that a valuation |.| on A is continuous if the valuation topology on A is coarser than its original topology.
In other words, a valuation |.| : A →Γ ∪{0} is continuous on A if and only if, for every γ ∈Γ, the set {a ∈A | |a| < γ} is an open subset of A. By remark I.1.5.2(3), if the value group of |.| is not trivial, then |.| is continuous if and only if, for every γ ∈Γ, the set {a ∈A | |a| ≤γ} is an open subset of A.
Definition II.2.1.2. If A is a topological ring, the set of continuous valuations of A is called the continuous valuation spectrum of A and denoted by Cont(A). We see it as a topological space with the topology induced by the topology of Spv(A).
II.2.2 Spectrality of the continuous valuation spectrum Theorem II.2.2.1. (Theorem 7.10 of .) Let A be a f-adic ring. Then Cont(A) = {x ∈Spv(A, A00 · A) | ∀a ∈A00, |a|x < 1}.
If I is an ideal of definition of a ring of definition of A, we also have Cont(A) = {x ∈Spv(A, I · A) | ∀a ∈I, |a|x < 1}.
Proof. By lemma II.2.2.2 and remark I.4.2.2(3), we have {x ∈Spv(A, A00 · A) | ∀a ∈A00, |a|x < 1} = {x ∈Spv(A, I · A) | ∀a ∈I, |a|x < 1}.
Let x ∈Cont(A).
Let a ∈A00 and let γ ∈Γ.
As a is topologically nilpotent and {b ∈A | |b|x < γ} is a neighborhood of 0 in A, there exists a positive integer n such that |an|x = |a|n x < γ. This shows that every element of |A00|x is cofinal for Γx, and so, by lemma I.4.2.3, x ∈Spv(A, A00 · A). Also, we have |a|x < 1 for every a ∈A00 by lemma I.1.5.7.
Conversely, let x ∈{x ∈Spv(A, A00 · A) | ∀a ∈A00, |a|x < 1}. If cΓx ̸= Γx, then |a|x is cofinal for Γx for every a ∈A00 by lemma I.4.2.3. Suppose that cΓx = Γx. Let a ∈A00 and γ ∈Γx. As Γx = cΓx, there exists b ∈A such that |b|x ̸= 0 and |b|−1 x ≤γ. We can find n ≥1 such that ban ∈A00 (because A00is open in A), and then |ban|x < 1 by the assumption on x, so |a|n x < |b|−1 x ≤γ. So we see again that every element of |A00|x is cofinal for Γx.
We finally show that x is continuous. Write I = (a1, . . . , ar) with a1, . . . , ar ∈A0, and set δ = max{|ai|x, 1 ≤i ≤n}. Let γ ∈Γx. By the previous paragraph, there exists n ≥1 such that 64 II.2 Continuous valuations δn < γ. As |a|x < 1 for every a ∈I, this implies that |a|x < δn < γ for every a ∈In · I = In+1, so the open neighborhood In+1 of 0 is included in {a ∈A | |a|x < γ}. This implies that |.|x is continuous.
Lemma II.2.2.2. Let A be a f-adic ring, and let I be an ideal of definition of a ring of definition of A. Then √ A00 · A = √ I · A.
Also, if x ∈Spv(A), the following are equivalent : (a) |a|x < 1 for every a ∈I; (b) |a|x < 1 for every a ∈A00.
Proof. We prove both statements at the same time. Let x ∈Spv(A). Let A0 be the ring of definition in which I is an ideal of definition. We have A00 ∩A0 ⊃I by lemma II.1.2.3. So (b) implies (a), and also A00·A ⊃I·A, hence √ A00 · A ⊃ √ I · A. Conversely, if a ∈A00, then there exists r ≥1 such that ar ∈I. This shows that (a) implies (b), and also that A00 · A ⊂ √ I · A, and hence that √ A00 · A ⊂ √ I · A.
Corollary II.2.2.3. For every f-adic ring A, the continuous valuation spectrum Cont(A) is a spectral space.
Moreover, the sets Ucont f1, . . . , fn g = {x ∈Cont(A) | ∀i ∈{1, . . . , n}, |fi|x ≤|g|x ̸= 0}, for f1, . . . , fn, g ∈A such that A00 ⊂ p (f1, . . . , fn), form a base of quasi-compact open subsets of Cont(A).
Note that the condition A00 ⊂ p (f1, . . . , fn) is equivalent to saying that the ideal (f1, . . . , fn) is open. (See lemma II.1.2.7.) Proof. Let J = A00 · A. We have Cont(A) = Spv(A, J) − [ g∈A00 UJ 1 g , so Cont(A) is a closed subset of Spv(A, J). As √ J is the radical of the ideal of A generated by an ideal of definition of a subring of definition, which is finitely generated, the theorem follows from theorem I.4.2.4 and corollary I.2.4.3.
65 II Topological rings and continuous valuations II.2.3 Specializations The subset Cont(A) of Spv(A) is not stable by general specializations (or generizations), but we do have the following result.
Proposition II.2.3.1. Let A be a f-adic ring and x ∈Cont(A). Then : (i) Every horizontal specialization of x is continuous.
(ii) Every vertical generization y of x such that Γy ̸= {1} is continuous.
Remark II.2.3.2. If Γy = {1}, then y is the trivial valuation with support ℘y, and it is continuous if and only if ℘y is an open ideal of A. This might or might not be the case in general.
Proof of the proposition.
(i) Let y be a horizontal specialization of x.
Then we have |a|y ≤|a|x for every a ∈A (by the formula of definition I.3.3.3). So, if γ ∈Γ, the subgroup {a ∈A | |a|y < γ} of (A, +) contains the open subgroup {a ∈A | |a|x < γ}; this implies that {a ∈A | |a|y < γ} is open.
(ii) Let y be a vertical generization of x. By proposition I.3.2.3(ii), there exists a convex subgroup H of Γx such that Γy = Γx/H and |.|y is the composition of |.|x and of the quotient map π : Γx ∪{0} →Γy ∪{0}. Let γ ∈Γx. Then {a ∈A | |a|x ≤γ} ⊂{a ∈A | |a|y = π(|a|x) ≤π(γ)}.
As both these sets are additive subgroups of A, and as the smaller one is open, the bigger one is also open. By remark I.1.5.2(3), if Γy ̸= {1}, this implies that y is a continuous valuation.
II.2.4 Analytic points In this section, A is a f-adic ring.
Definition II.2.4.1. A point x ∈Cont(A) is called analytic if ℘x is not open.
We denote by Cont(A)an the subset of analytic points in Cont(A).
Proposition II.2.4.2. Let x ∈Cont(A). The following are equivalent : (i) x is analytic.
(ii) |A00|x ̸= {0}.
(iii) For every couple of definition (A0, I) of A, we have |I|x ̸= 0.
(iv) There exists a couple of definition (A0, I) of A such that we have |I|x ̸= 0.
66 II.2 Continuous valuations Proof. (ii) implies (iii) because A00 contains every ideal of definition of a ring of definition of A, and (iii) obvisouly implies (iv). Suppose that (i) holds. As ℘x is not open, it cannot contain the open additive subgroup A00 of A, so (ii) holds. Suppose that (iv) holds, and let a ∈I such that |a|x ̸= 0. Then |an|x ̸= 0 for every n ≥1, so ℘x does not contain any of the sets In, so it cannot be open.
Remark II.2.4.3. Remember that Cont(A) = {x ∈Spv(A, A00 · A) | ∀a ∈A00, |a|x < 1} by theorem II.2.2.1. So, by proposition II.2.4.2, Cont(A)an is the set of points of x of Spv(A) such that - the support of x is not in V (A00 · A); - every proper horizontal specialization of x has support in V (A00 · A); - |a|x < 1 for every a ∈A00.
Remark II.2.4.4. It is easy to show (see lemma 6.6 of ) that an ideal a of A is open if and only √a contains the ideal A00 · A.
Corollary II.2.4.5. Let I be an ideal of definition of a ring of definition of A, and let f1, . . . , fn be generators of I. Then Cont(A)an = n [ i=1 Ucont f1, . . . , fn fi .
In particular, Cont(A)an is a quasi-compact open subset of Cont(A).
Proof. Let x ∈Cont(A). For i ∈{1, . . . , n}, we have x ∈Ucont f1,...,fn fi if and only if 0 ̸= |fi|x = max1≤j≤n{|fj|x}.
So x is in Sn i=1 Ucont f1,...,fn fi if and only if there exists i ∈{1, . . . , n} such that |fi|x ̸= 0. This is equivalent to the fact that |I|x ̸= {0}, so it is equivalent to x ∈Cont(A)an by proposition II.2.4.2.
Proposition II.2.4.6. Let x ∈Cont(A)an. Then x has rank ≥1, and the valuation |.|x on K(x) is microbial.
Proof. If x ∈Cont(A) and Γx = {1}, then ℘x = {a ∈A | |a|x < 1} is open, so x cannot be analytic. So analytic points of Cont(A) must have positive rank.
We prove the second statement. Let x ∈Cont(A)an. By proposition II.2.4.2, there exists a ∈A00 such that |a|x ̸= 0. So the image of a in Frac(A/℘x) ⊂K(x) is topologically nilpotent 67 II Topological rings and continuous valuations (for the valuation topology on K(x)) and invertible. By theorem I.1.5.4, this implies that the valuation |.|x on K(x) is microbial.
Finally, we show that specializations among analytic points are particularly simple.
Proposition II.2.4.7. Every specialization inside Cont(A)an is vertical.
In particular, if A is a Tate ring, then every specialization in Cont(A) is vertical.
The second part follows from the first and from remark II.2.5.7.
Proof. Let x, y ∈Cont(A)an such that y is a specialization of x. Let y′ be the vertical generiza-tion of y (in Spv(A)). given by theorem I.3.4.3(ii). If we were in case (b) of theorem I.3.4.3(ii), then we would have ℘y ⊃℘x|{1} ⊃{a ∈A | |a|x < 1}; but this would imply that ℘y is open and contradict the condition y ∈Cont(A)an. So we are in case (a) of theorem I.3.4.3(ii), which means that y′ is a horizontal specialization of x. In particular, y′ is continuous by proposition II.2.3.1(i), and it is analytic because ℘y′ = ℘y is not open.
Let H ⊃cΓx be a convex subgroup of Γx such that y′ = x|H. We want to show that H = Γx, which will imply that y is a vertical specialization of x = y′. Suppose that H ̸= Γx. Then we can find γ ∈Γx −H such that γ < 1. Let a ∈A such that |a|x < γ. Then |a|x ̸∈H (otherwise γ would be in H, because H is convex), so |a|y′ = 0. This shows that ℘y′ contains the open subset {a ∈A | |a|x < γ} and contradicts the fact that y′ is analytic.
Corollary II.2.4.8. For every x ∈Cont(A)an, the set of generizations of x in Cont(A)an is to-tally ordered and admits an order-preserving bijection with the set of proper convex subgroups of Γx. In particular, the continuous rank 1 valuations are exactly the maximal points of Cont(A)an for the order given by specialization (i.e. the x ∈Cont(A)an such that {x} is an irreducible component of Cont(A)an).
Moreover, every x ∈Cont(A)an has a unique rank 1 generization, which is its maximal gener-ization.
Proof. All generizations of x in Cont(A)an is vertical by proposition II.2.4.7. As every nontrivial vertical generization of x is continuous by proposition II.2.3.1(ii), and as vertical generizations of x have the same support as x, we see that generizations of x in Cont(A)an are exactly the non-trivial vertical generizations of x. By proposition I.3.2.3, these are in order-preserving bijection with proper convex subgroups of Γx, and in order-reversing bijection with the nonzero prime ideals of Rx. In particular, x is maximal if and only Γx has no nonzero proper convex subgroups, i.e. if and only if Γx has height 1.
To finish the proof, we must show that x has a maximal vertical generization. By proposition II.2.4.6, the valuation |.|x on K(x) is microbial, so Rx has a prime ideal of height 1. As the ideals 68 II.2 Continuous valuations of Rx are totally ordered by inclusion, this implies that Rx has a unique prime ideal of height 1.
The corresponding generization of x is the maximal generization of x in Cont(A), and also the unique rank 1 generization of x in Cont(A).
II.2.5 Tate rings In this section, we gather some results that are specific to Tate rings. In general, Tate rings behave more nicely than general f-adic rings.
Definition II.2.5.1. If A is a Tate ring, a topologically nilpotent unit of A is called a pseudo-uniformizer.
Proposition II.2.5.2. Let A be a Tate ring, let A0 be a ring of definition of A, and let ϖ be a topologically nilpotent unit of A. Suppose that ϖ ∈A0. Then ϖA0 is an ideal of definition of A0, and A = A0[ϖ−1].
Proof. Let I = ϖA0. As ϖ is a unit in A, multiplication by ϖ is continuous, so In = ϖnA0 is an open subset of A0 for every n ≥1. So we just need to show that every neighborhood of 0 contains some In. Let U be an open neighborhood of 0 in A. As A0 is bounded, there exists an open neighborhood of 0 such that ax ∈U for every a ∈A0 and every x ∈V . As ϖ is topologically nilpotent, there exists a positive integer n such that ϖn ∈V . Then we have In = ϖnA0 ⊂U.
We show the last statement. Let a ∈A. As multiplication by a is continuous and ϖ is topologically nilpotent, 0 is a limit of the sequence (aϖn)n≥0. So there exists N ∈N such that aϖn ∈A0 for every n ≥N, and a ∈A0[ϖ−1].
Conversely, if a f-adic ring A has a pair of definition (A0, I) with I principal, then any gen-erator of I is topologically nilpotent in A, so A is a Tate ring if I is generated by a unit of A.
Remark II.2.5.3. (Proposition 6.2.6 of .) If A0 is an adic ring with a principal ideal of definition I := ϖA0, then A := A0[ϖ−1] is a Tate ring for the topology for which the image of A0 is a ring of definition and the image of I an ideal of definition.
Proof. Let u : A0 →A be the canonical map. We check that the subgroups (u(ϖnA0))n≥0 of A satisfy the conditions of lemma II.3.3.8, hence are a fundamental system of neighbor-hood for a topological ring structure on A. Conditions (a) and (c) of the lemma are clear. Let a ∈A and n ∈N. We write a = u(b)u(ϖ)−r, with b ∈A0 and r ∈N. Then we have au(ϖn+rA0) ⊂u(ϖnA0).
69 II Topological rings and continuous valuations Example II.2.5.4. Take A0 = Z[X] with the X-adic topology. Then A = A0[X−1] is a Tate ring. Note that this ring does not contain a field.
Corollary II.2.5.5. Let A be a Tate ring, let A0 be a ring of definition of A, and let ϖ be a topologically nilpotent unit of A. Then a subset E of A is bounded if and only there exists n ∈Z such that E ⊂ϖnA0.
Remember proposition II.1.3.4.
Proposition II.2.5.6. Let f : A →B be a continuous ring morphism between f-adic ring. If A is a Tate ring, then so is B, and f is adic.
Remark II.2.5.7. If A is a Tate ring, then Contan(A) = Cont(A).
This follows immediately from the definition and from the next lemma.
Lemma II.2.5.8. Let A be a Tate ring. Then the only open ideal of A is A itself.
Proof. Let ϖ be a topologically nilpotent unit of A, and let J be an open ideal of A. Then there exists r ≥1 such that ϖr ∈J, so J contains a unit and J = A.
So proposition II.2.4.7 implies that, if A is a Tate ring, every specialization in Cont(A) is vertical. Also, corollary II.2.4.8 says that each point of Cont(A) has a unique rank 1 generization in Cont(A), which is also its maximal generization in Cont(A).
Definition II.2.5.9. A non-Archimedean field is a topological field K whose topology is given by a rank 1 valuation.
Note that we do not assume that K is complete.
The following result is an immediate consequence of theorem I.1.5.4.
Corollary II.2.5.10. Let K be a topological field whose topology is given by a valuation. Then K is a non-Archimedean field if and only if it is a Tate ring.
Corollary II.2.5.11. Let K be a non-Archimedean field, and let |.| be a rank 1 valuation defining its topology.
(i) The ring K0 is local with maximal ideal K00.
(ii) Let x ∈Cont(A). Then |.|x is microbial and its valuation topology coincides with the original topology of K; moreover, we have K00 ⊂Rx ⊂K0.
(iii) If R is a valuation subring of K such that K00 ⊂R ⊂K0, then the corresponding valuation is continuous.
70 II.3 Constructions with f-adic rings In other words, we get a canonical bijection Cont(K) ∼ →Spv(K0/K00).
Proof.
(ii) It suffices to show that every element of K0 −K00 is invertible in K0. This follows immediately from the fact that K0 = {a ∈K | |a| ≤1}, K00 = {a ∈K | |a| < 1} and (K0)× = {a ∈K | |a| = 1}.
(ii) Any topologically nilpotent unit of K is also topologically nilpotent for the valuation topology, so |.|x is microbial by theorem I.1.5.4, that is, it admits a rank 1 generiza-tion y ∈Cont(K) such that |.|x and |.|y define the same topology. We obviously have K00 ⊂Rx ⊂Ry, so it suffices to prove the result for y. In that case, the statement is equivalent to the fact that |.|y and |.| are equivalent. As y has rank 1, we must have |a|y ≤1 for every power-bounded element a ∈K, so we have K0 ⊂Ry. This means that y is a vertical generization of |.|; but, as |.|y and |.| have the same rank, they must be equivalent.
(iii) The ring K0 is maximal among all proper valuation subrings of K containing R, so, by corollary I.1.4.4, its maximal ideal K00 is a height 1 prime ideal of R. Now theorem I.1.5.4 implies that |.|R and |.| define the same topology on K, and in particular |.|R is continuous.
II.3 Constructions with f-adic rings II.3.1 Completions Remember the following definitions from general topology.
Definition II.3.1.1. Let X be a set. A filter of subsets of X (or filter on X) is a nonempty family F of subsets of X that is stable by finite intersection and such that, if A ∈F and B ⊃A, then B ∈F.
If X is a topological space and x ∈X, we say that x is a limit of the filter F if every neighborhood of x is in F.
In a metric space (or more generally in a first-countable topological space), we can characterize many topological properties using sequences. This does not work in a general topological space, but we can use filters (or their cousins nets) instead, and everything adapts quite easily.
Remark II.3.1.2. A topological space X is Hausdorff if and only if every filter on X has at most one limit.
Remark II.3.1.3. If (xn)n≥0 is a sequence in X, the associated filter is F := {E ∈A | ∃n ∈N, xm ∈E for m ≥n}.
Then x is a limit of (xn)n≥0 if and only if it is a limit of F.
71 II Topological rings and continuous valuations Remark II.3.1.4. Any f-adic ring is a first-countable topological space, so we are being somewhat pedantic here.
Definition II.3.1.5. Let A be a commutative topological group (for example the additive sub-group of a topological ring).
(i) We say that a filter F on A is a Cauchy filter if, for every neighborhood U of 0, there exists E ∈F such that x −y ∈U for all x, y ∈E.
(ii) We say that A is complete if it is Hausdorff and if every Cauchy filter on A has a limit.
Remark II.3.1.6. Note that Bourbaki does not require complete commutative topological groups to be Hausdorff.
Remark II.3.1.7. If (xn)n≥0 is a sequence in A, we say that it is a Cauchy sequence if, for every neighborhood U of 0, there exists n ∈N such that xm −xp ∈U for all m, p ≥n. So (xn)n≥0 is a Cauchy sequence if and only if the associated filter (see remark II.3.1.3) is a Cauchy filter.
Completions of abelian topological groups and topological rings always exist, and they satisfy the obvious universal property. (See for example Chapitre III §3 No5 Th´ eor eme 2 and §6 No5 Th´ eoreme 1.) For f-adic rings, these completions take a more explicit form, thanks to the following theorem.
Theorem II.3.1.8. Let A0 be a ring and I be an ideal of A0. For every A0-module M, we set c M = lim ← −n≥0 M/InM and denote the obvious map M →c M by f.
Suppose that the ideal I is finitely generated. Then : (i) The abelian group c M is Hausdorff and complete for the f(I)c M-adic topology.
(ii) For every n ≥0, the map f induces an isomorphism M/InM ∼ →c M/f(I)nc M.
(iii) If A0 is Noetherian, then b A0 is a flat A0-algebra.
Points (i) and (ii) are proved in [25, Lemma 05GG], and point (iii) in [25, Lemma 00MB].
Note that (i) and (ii) are false in general if I is not finitely generated (see [25, Section 05JA]), and that (iii) is false in general if A0 is not Noetherian, even for a finitely generated ideal (see [25, Example 0BNU] and [25, Section 0AL8]).
In particular, if A0 is an adic ring and I is a finitely generated ideal of definition of A0, then b A0 is the completion of A0. It is easy to see that b A0 does not depend on the choice of the ideal of definition (see remark II.1.1.2(2)).
Corollary II.3.1.9. Let A be a f-adic ring, let (A0, I) be a couple of definition of A, and set b A = lim ← −n≥0 A/In (as an abelian group; note that we take the quotient of A by the ideal In of A0 and not by the ideal that In generates in A). Then : 72 II.3 Constructions with f-adic rings (i) The canonical map b A0 →b A is injective, and the square A0 / b A0 A / b A is cartesian.
(ii) If we put the unique topology on b A for which b A0 is an open subgroup, then the abelian topological group b A is complete.
(iii) There is a unique ring structure on b A that makes the canonical map A →b A continuous, and b A is a topological ring.
(iv) The ring b A is f-adic and ( b A0, I b A0) is a couple of definition of b A. Moreover, the canonical map A →b A is adic.
(v) The canonical map b A0 ⊗A0 A →b A is an isomorphism.
(vi) If A0 is Noetherian, then b A is a flat A-algebra.
(vii) If A0 is Noetherian and A is a finitely generated A0-algebra, then b A is Noetherian.
It is easy to see that b A does not depend on the choice of the pair of definition (A0, I).
Proof.
(i) For every n ≥0, the map A0/In →A/In is injective. As projective limits are left exact, the morphism b A0 →b A is injective.
Let i : A →b A be the canonical map. To prove the second statement, we must show that i(A) ∩b A0 = i(A0). The fact that i(A0) ⊂i(A) ∩b A0 is obvious. Conversely, let a ∈A such that i(a) ∈b A0. Then, for every n ≥1, there exists bn ∈A0 such that a ∈bn + In; in other words, a is in the closure of A0 in A. As A0 is an open subgroup of A, it is also closed, so a ∈A0.
(ii) It is easy to see that b A is Hausdorff (because 0 has a Hausdorff neighborhood, i.e. b A0). Let F be a Cauchy filter on b A. As b A0 is a neighborhood of 0 in b A, there exists F ∈F such that x −y ∈b A0 for all x, y ∈F. Let x0 ∈F, and define a family F0 of subsets of b A0 by : G ∈F0 ⇔x0 + G ∈F. Then F0 is not empty because F −x0 ∈F0, and it is clearly a Cauchy filter on b A0. As b A0 is complete, F0 has a limit a, and then a + x0 is a limit of F.
(iii) As A0 is dense in b A0, A is dense in b A. This implies uniqueness. The existence of the product on b A follows from Th´ eor eme 1 of Chapitre III §6 No5.
(iv) b A0 is an open subring of b A by (i), and it has the I b A0-adic topology by theorem II.3.1.8, so b A is f-adic. The fact that the map A →b A follows immediately from the definition.
(v) This is lemma 1.6 of . Let us explain the proof. Consider the commutative diagram 73 II Topological rings and continuous valuations (where all the maps are the obvious ones) : A0 i / _ b A0 _ g { b A0 ⊗A0 A j $ A f : i / b A We want to show that the map j is an isomorphism. We will do this by constructing an inverse.
First note that, by proposition II.3.2.1, b A0 ⊗A0 A has a natural structure of f-adic ring and that f, g and j are continuous. Indeed, the maps A0 →b A0 and A0 →A are adic.
We now turn to the construction of an inverse h of j : b A0 ⊗A0 A →b A. Let a ∈b A. As i(A) is dense in b A, we can find a0 ∈b A0 and b ∈A such that a = a0 + i(b), and we want to set h(a) = f(b) + g(a0). We have to check that this does not depend on the choices. Suppose that a = a0 + i(b) = a′ 0 + i(b′), with a0, a′ 0 ∈b A0 and b, b′ ∈A. Then a0 −a′ 0 = i(b′ −b), so b′ −b ∈A0 by (i), and f(b) + g(a0) = f(b′) + f(b −b′) + g(a0) = f(b′) + g(i(b −b′)) + g(a0) = f(b′) + g(a′ 0).
So h is well-defined, and it is clear that h is additive and that f = h ◦i and g = h| b A0.
The last property implies that h is continuous in a neighborhood of 0, hence that h is continuous. As f = h ◦i, i has dense image and f is a morphism of rings, h is also a morphism of rings. By construction of h, we have h ◦j = id. Also, if a ∈f(A) or a ∈g( b A0), then j(h(a)) = a, also by construction of h; as h is a morphism or rings, this implies that j ◦h = id.
(vi) and (vii) These follow immediately from (v) (and from theorem II.3.1.8(iii) for (vi)).
Definition II.3.1.10. If A is a f-adic ring, the f-adic ring b A defined in corollary II.3.1.9 is called the completion of A.
Lemma II.3.1.11. Let A be an abelian topological group and i : A →b A be its completion.
Then there is a bijection between the set of open subgroups of A and the set of open subgroups of b A; it sends an open subgroup G of A to i(G) = b G, and its inverse sends an open subgroup H of b A to i−1(H).
Proof. If Y is a subset of A, then i(Y ) is canonically isomorphic to the completion of Y by Chapitre II §3 No9 corollaire 1 de la proposition 18.
74 II.3 Constructions with f-adic rings Note also that Ker i = {0} and that i(A) is dense in b A (for example by Chapitre II §3 No7 proposition 12). If G is an open subgroup of A, it is also closed, hence contains Ker i, and so we have G = i−1(i(G)). Conversely, if H is an open subgroup of b A, then H ∩i(A) is dense in H, so H is the closure of i(i−1(H)).
Proposition II.3.1.12. Let A be a f-adic ring.
(i) We have b A0 = c A0 and b A00 = d A00. (That is, A0 (resp. A00 is sent to b A0 (resp. b A00) by the bijection of lemma II.3.1.11.) (ii) If we have open sugroups of G and H of A and b A that correspond to each other by the bijection of lemma II.3.1.11, then G is a ring of definition of A if and only if H is a ring of definition of b A.
(iii) The map i : A →b A induces a bijective map Cont( b A) →Cont(A).
In fact, the bijection of (iii) is a homeomorphism, and this is not so obvious and quite impor-tant. We will prove this later, after we introduce adic spectra. (See corollary III.4.2.2.) Proof.
(i) Let i : A →b A be the obvious map. By lemma II.3.1.11, a subset E of A is bounded if and only if i(E) is bounded in b A, and an element x ∈A is topologically nilpotent if and only if i(x) ∈b A is topologically nilpotent. In particular, i−1( b A0) (resp. i−1( b A00)) is contained in A0 (resp. A00), so b A0 ⊂c A0 (resp. b A00 ⊂d A00).
Conversely, as i(A0) ⊂b A0 ⊂c A0, b A0 is dense in c A0; but b A0 is open in b A, hence closed, so b A0 = c A0. The case of b A00 is similar.
(ii) As i(G) is dense in H and i(A) is a subring of b A, H is a subring if and only if G is a subring. Also, we have seen in (i) that G is bounded if i(G) is, so G is a ring of definition if H is. Conversely, suppose that G is a bounded subring of A. Then i(G) is bounded. As b A has a fundamental system of open bounded neighborhoods of 0 (for example the powers of an ideal of definition of a ring of definition), we can find an open bounded subgroup U ⊂H. We have H = i(G) + U because i(G) is dense in U, and so H is bounded.
(iii) Let |.| : A →Γ ∪{0} be a continuous valuation, and let F be a Cauchy filter on A. We claim that : (a) either, for every γ ∈Γ, there exists F ∈F such that |a| < γ for every a ∈F; (b) otherwise there exists F ∈F such that |.| is constant on F.
Indeed, suppose that (a) does not hold. Then there exists γ0 ∈Γ such that, for every F ∈F, there exists a ∈F with |a| ≥γ0. As |.| is continuous, the set {a ∈A | |a| < γ0} is an open neighborhood of 0. So, as F is a Cauchy filter, there exists F ∈F such that |a −b| < γ0 for all a, b ∈F. Fix a0 ∈F such that |a0| ≥γ0. Then, for every a ∈F, we have |a −a0| < γ0 ≤|a0|, so the strong triangle inequality implies that |a| = |a|0.
75 II Topological rings and continuous valuations Let i : A →b A be the canonical map. Applying the result of the previous paragraph to b A and using the fact that i(A) is dense in b A, we see that a continuous valuation on b A is uniquely determined by its restriction to i(A), so the map Cont( b A) →Cont(A) is injective.
We now show that Cont( b A) →Cont(A) is surjective. Let |.| : A →Γ ∪{0} be a continuous valuation. Let a ∈Ker i, and let F be the filter of neighborhoods of a in A; this is clearly a Cauchy filter. If it satisfies condition (a) above, then |a| < γ for every γ ∈Γ, so |a| = 0. Otherwise, F satisfies condition (b), so there exists F ∈F such that |.| is constant on F; but we have a ∈F and 0 ∈F (because i(A) is the maximal Hausdorff quotient of A), so again |a| = 0. This shows that |.| factors through i(A), so we may assume that i is injective.
We now extend |.| to a map |.|′ : b A →Γ ∪{0}. Let a ∈b A. Then there exists a Cauchy filter F on A that converges to a. If F satifies condition (a) above, then we set |a|′ = 0.
Otherwise, we choose F ∈F such that |.| is constant on F, and we set |a|′ = |b|, for any b ∈F. It is easy to check that this does not depend on the choices and defines a valuation on b A. We finally show that |.|′ is continuous. Let γ ∈Γ, and let G = {a ∈A | |a| < γ}.
This is an open subgroup of A and, by the definition of |.|′, its closure in b A is contained in the group {a ∈b A | |a|′ < γ}; so {a ∈b A | |a|′ < γ} is open.
II.3.2 Tensor products We have to be a bit careful with tensor products of f-adic rings, because they don’t make sense in general. This corresponds to the fact that fiber products of adic spaces don’t always exist, and has a simple geometric explanation, that is given in the remark below. However, if we assume that all the maps are adic, then there is no problem; in particular, we can always define tensor products of Tate rings.
Proposition II.3.2.1. (See theorem 5.5.4 of .) Let f : A →B and f : A →C be two adic morphisms of f-adic rings. Choose a couple of definition (A0, I) of A and rings of definition B0 and C0 of B and C such that f(A0) ⊂B0 and g(A0) ⊂C0. Let D0 be the image of B0 ⊗A0 C0 in D := B ⊗A C, and let J be the ideal of D0 generated by the image of I.
We put the J-adic topology on D0 and equip D with the unique structure of topological group that makes D0 an open subgroup. Then D is a f-adic ring with couple of definition (D0, J), and the obvious ring morphisms u : B →D and v : C →D are continuous and adic.
Moreover, for every non-Archimedean topological ring D′ and every pair of continuous ring morphisms (u′ : B →D′, v′ : C →D′) such that u ◦f = v ◦g, there exists a unique continuous ring morphism ϕ : D →D′ such that u′ = ϕ ◦u and v′ = ϕ ◦v. If D′ if f-adic and u′ and v′ are adic maps, then ϕ is also an adic map.
76 II.3 Constructions with f-adic rings Proof. The ideal J of D0 if of finite type because I is, so the only thing we need to prove to get the first statement is that D is a topological ring. By Chapitre III §6 No3 Remarque, it suffices to prove that the multiplication of D is continuous in a neighborhood of 0 and that the map x 7− →ax is continuous for every a ∈D. The first statement follows from the fact that D0 is a topological ring, and it suffices to prove the second statement for pure tensors. So let b ∈B and c ∈C, and let U be a neighborhood of 0 in D. We may assume that U is of the form Jr, for some r ≥0. Let s ≥0 such that b(f(I)B0)s ⊂(f(I)B0)r and c(g(I)C0)s ⊂(g(I)C0)r. If x ∈(f(I)B0)s ⊗A0 (g(I)C0)s, then we have (b ⊗c)x ∈Jr; as J2s = (f(I)B0)s ⊗A0 (g(I)C0)s, this shows that (b ⊗c)J2s ⊂Jr.
We now turn to the second statement. By the usual property of the tensor product, there exists a unique morphism of rings ϕ : D →D′ such that u′ = ϕ ◦u and v′ = ϕ ◦v. We want to show that ϕ is continuous. Let U be an open subgroup of D′. As u′ and v′ are continuous, there exists r ≥1 such that u′−1(U) ⊃(f(I)B0)r and v′−1(U) ⊃(f(I)C0)r. Then ϕ−1(U) ⊃Jr, so ϕ−1(U) is open. The last statement is easy.
Example II.3.2.2. (See example 5.5.5 of .) Here is an example where things don’t work. Take A = A0 = Zℓwith the ℓ-adic topology, B = B0 = Zℓ with the (ℓ, X)-adic topology and C = Qℓ⊃C0 = Zℓwith the ℓ-adic topology. Note that the obvious map A →C is adic, but the obvious map A →B is not. We have D = Zℓ[ℓ−1] and D0 = Zℓ.
Suppose that there is an ideal J of D0 such that D is f-adic with couple of definition (D0, J) and such that the canonical maps B →D and C →D are continuous. Suppose that 1 ̸∈J. In particular, the map B0 →D0 is continuous, so J must contain a power of the ideal (ℓ, X). As Zℓ is a local ring with maximal ideal (ℓ, X), we must also have J ⊂(ℓ, X). So the topology on D0 is the (ℓ, X)-adic topology. But then there is no structure of topological ring on D that makes D0 an open subring; indeed, ℓis invertible in D, so multiplication by ℓwould have to be a homeomorphism, and this not possible because ℓD0 is not an open subset of D0 (for example because it contains no power of X even though X is topologically nilpotent for the (ℓ, X)-adic topology).
So we must have 1 ∈J, which means that the only open subsets of D0 are ∅and D0. But then there can be no topological ring structure on D that makes D0 an open subring, for the same reason as before : ℓis invertible in D, so ℓD0 would have to be an open subset of D0.
Remark II.3.2.3. We keep the notation of example II.3.2.2. We temporarily write Spa(R) for “the affinoid adic space of R”, even though that is not quite correct because we need an extra piece of data to define this space. The geometric interpretation of the previous example is that Spa(Zℓ[ℓ−1]), if it made sense, would be the fiber product Spa(Zℓ) ×Spa(Zℓ) Spa(Qℓ), that is, the generci fiber of of the “formal affine line” Spa(Zℓ). But this generic fiber should be the open unit disc, which is not an affinoid space.
77 II Topological rings and continuous valuations II.3.3 Rings of polynomials If A is a f-adic ring, we want to define topologies on rings of polynomials over A that make them f-adic rings. The model is the Tate algebra over a non-Archimedean field k. For example, if k = Qℓ, we defined in section II.1.4 the Tate algebra Tn = k⟨X1, . . . , Xn⟩and saw (or at least claimed) that it is complete and contains the polynomial ring k[X1, . . . , Xn]. So another way to define Tn would be to say that it is the completion of k[X1, . . . , Xn] for the Gauss norm.
Remember also that Tn is the ring of convergent power series on the closed unit ball in Cn ℓ. Of course, the choice of 1 as the radius of the ball was arbitrary, and in general we will want to allow a different radius for each indeterminate (this makes a real difference if the radius is not in ℓQ).
This will modify the norm on k[X1, . . . , Xn] for which we take the completion. In the case of a general f-adic ring A, it does not make sense to talk of radii in R≥0, and they will be replaced by the family (Ti)i∈I in the next proposition.
We start with the case of general non-Archimedean rings and specialize to the case of f-adic rings at the end.
Proposition II.3.3.1. (Remark 5.47 of .) Let A be a non-Archimedean topological ring, let X = (Xi)i∈I be a family of indeterminates (not necessarily finite) and let T = (Ti)i∈I be a family of subsets of A. Suppose that, for every i ∈I, every n ∈N and every neighborhood U of 0 in A, the subgroup T n i U is open. 4 For every function ν : I →N with finite support, we set T ν = Q i∈I T ν(i) i . For every open subgroup U of A, we set U[X,T] = { X ν∈N(I) aνXν ∈A[(Xi)i∈I] | aν ∈T νU for all ν ∈N(I)}.
Then : (i) For every open neighborhood U of 0 in A and every ν ∈N(I), T νU is an open subgroup of A.
(ii) There is a unique structure of topological ring on A[X] := A[(Xi)i∈I] for which the sub-groups U[X,T], for U running through the open subgroups of A, form a fundamental system of neighborhoods of 0.
We denote the resulting topological ring by A[X]T.
(iii) The inclusion ι : A →A[X]T is continuous and the set {ι(t)Xi, i ∈I, t ∈Ti} is power-bounded.
(iv) For every non-Archimedean topological ring B, every continuous ring morphism f : A →B and every family (xi)i∈I of elements of B such that {f(t)xi, i ∈I, t ∈Ti} is power-bounded, there exists a unique continuous ring morphism g : A[X]T →B such that f = g ◦ι and g(Xi) = xi for every i ∈I.
4Where we denote by T n i U the subgroup generated by products of n elements of Ti and of one element of U.
78 II.3 Constructions with f-adic rings Proof.
(i) Let ν ∈N(I). Let i1, . . . , ir be the elements of I on which ν takes nonzero values, and let U be an open neighborhood of 0 in A. We know that T n i ◦V is an open subgroup of A for every i ∈I, every n ≥0 and every open subgroup V of A, so T n ◦U = T νi1 i1 · . . . · T νir ir · U is an open subgroup of A.
(ii) If U and V are two open subgroups of A, then U[X,T] ∩V[X,T] = (U ∩V )[X,T] and U[X,T] · V[X,T] = (U · V )[X,T]. So the family of the U[X,T], for U an open subgroup of A, satisfies all the conditions of lemma II.3.3.8.
(iii) The map ι is continuous by definition on the topology on A[X]T. Let E be the subgroup generated by all the products ι(t1)Xi1 . . . ι(tn)Xin, for n ∈N, i1, . . . , in ∈I and tis ∈Tis, 1 ≤s ≤n. We want to show that E is bounded in A[X]T. Let G be an open subgroup of A[X]T. Then there exists an open subgroup U of A such that U[X,T] ⊂G. But we have E · U[X,T] = U[X,T], so E · U[X,T] ⊂G.
(iv) By the universal property of the polynomial ring, there exists a unique morphism of rings g : A[X]T →B such that g ◦i = f and that g(Xi) = xi for every i ∈I. So we just need to show that this g is continuous. Let E be the subgroup of B generated by all the products f(t1)Xi1 . . . f(tn)Xin, for n ∈N, i1, . . . , in ∈I and tis ∈Tis, 1 ≤s ≤n. We know that E is bounded. Let H be an open subgroup of B. Then there exists an open subgroup G of B such that E ◦G ⊂H. As f is continuous, U := f −1(G) is an open subgroup of A.
Then U[X,T] ⊂g−1(H); as g−1(H) is a subgroup of A[X]T, this implies that it is open.
Proposition II.3.3.2. (Remark 5.38 of .) Let A, X and T be as in proposition II.3.3.1 (with the same condition on T). We denote by A the formal power series ring A. Then : (i) The set A⟨X⟩T := { X ν∈N(I) aνXν ∈A | for all open subgroups U of A, aν ∈T νU for almost all ν} (here “almost all” means “all but a finite number”) is a subring of A.
(ii) There is a unique structure of topological ring on A⟨X⟩T for which the subgroups U⟨X,T⟩= { X ν∈N(I) aνT ν ∈A⟨X⟩T | aν ∈T νU for all ν ∈N(I)}, for U running through all the open subgroups of A, form a fundmental system of neigh-borhoods of 0.
Proof.
(i) First, it is easy to see that A⟨X⟩T is stable by multiplication by all the elements of A and all the Xi, i ∈I : Let f = P ν∈N(I) aνXν ∈A⟨X⟩T, let a ∈A and i ∈I. Let U be an open subgroup of A.
79 II Topological rings and continuous valuations (a) Choose an open subgroup V of A such that aV ⊂U. Then aνT ν · V for almost all ν, so (aaν) ∈T ν · U for almost all ν.
(b) By assumption, Ti · U is an open subgroup of A, so aν ∈T ν · Ti · U for almost all ν.
So A⟨X⟩T is a A[X]-submodule of A.
Let f, g ∈A⟨X⟩T. We want to check that fg ∈A⟨X⟩T. Write fg = P ν cνXν. Let U be an open subgroup of A, and choose an open subgroup V of A such that V · V ⊂U.
As f, g ∈A⟨X⟩T, we can write f = f0 + f1 and g = g0 + g1, with f0, g0 ∈A[X] and f1, g1 ∈V⟨X,T⟩. If f0g0+f1g0+f0g1 = P ν aνXν and f1g1 = P ν bνXν, then cν = aν +bν.
We now that f0g0 + f1g0 + f0g1 by the first paragraph, so aν ∈T ν · U for almost all ν. On the other hand, bν ∈T ν · U for every ν by the choice of V . So cν ∈T ν · U for almost all ν.
(ii) Again, we have U⟨X,T⟩∩V⟨X,T⟩= (U ∩V )⟨X,T⟩and U⟨X,T⟩∩V⟨X,T⟩⊂(U · V )⟨X,T⟩for all open subgroups U, V ⊂A, so lemma II.3.3.8 applies.
Proposition II.3.3.3. (See proposition 5.49 of .) Let A, X and T be as in propositions II.3.3.1 and II.3.3.2. Then : (i) A[X]T is a dense subring of A⟨X⟩T, and the topology on A[X]T is the one induced by the topology on A⟨X⟩T.
(ii) If A is Hausdorff and Ti is bounded for every i ∈I, the topological rings A[X]T and A⟨X⟩T are Hausdorff.
(iii) If A is complete and Ti is bounded for every i ∈I, the topological ring A⟨X⟩T is complete (so it is the completion of A[X]T).
Proof.
(i) As we already noted in the proof of proposition II.3.3.2(i), for every open subgroup U of A, every element of A⟨X⟩T is the sum of a polynomial and of an element of U⟨X,T⟩ (by the very definition of A⟨X⟩T). So A[X]T is dense in A⟨X⟩T. The second statement just follows from the fact that A[X]T ∩U⟨X,T⟩= U[X,T] for every open subgroup U of A.
(ii) By (i), it suffices to show that A⟨X⟩T is Hausdorff. Let ν ∈N(I). As all the Ti are bounded, T ν is bounded. So the intersection of all the T ν · U, for U ⊂A an open subgroup, is equal to the intersection of all the open neighborhoods of 0 in A, i.e. {0} because A is Hausdorff.
This shows that T U U⟨X,T⟩= {0}.
(iii) It suffices to show that A⟨X⟩T is complete. If E is a subset of A⟨X⟩T, let Eν ⊂A be the set of all the ν-coefficients of elements of E. Let F be a Cauchy filter on A⟨X⟩T. For every ν ∈N(I), let Fν = {Eν, E ∈F}. As each T ν is bounded, all the Fν are Cauchy filters on A, so they converge because A is complete. Let aν be the limit of Fν. We want to show that f := P ν∈N(I) aνXν ∈A is in A⟨X⟩T, and that F converges to f.
Let U be an open subgroup of A. Choose E ∈F such that g −h ∈U⟨X,T⟩for all g, h ∈E. In other words, if g = P ν∈N(I) gνXν and h = P ν∈N(I) hνXν are in E, we 80 II.3 Constructions with f-adic rings have gν −hν ∈T ν ◦U for every ν; fixing ν and going to the limit on h, we get that gν −aν ∈T ν ◦U; in particular, this implies that aν ∈T ν ◦U for almost every ν. As U was arbitrary, this shows first that f ∈A⟨X⟩T, and then that, for every open subgroup U of A, we can find E ∈F such that g −f ∈U⟨X,T⟩for every g ∈E, i.e. that f is the limit of F.
Corollary II.3.3.4. Suppose that A is complete and Ti is bounded for every i ∈I. For every complete non-Archimedean topological ring B, every continuous ring morphism f : A →B and every family (xi)i∈I of elements of B such that {f(t)xi, i ∈I, t ∈Ti} is power-bounded, there exists a unique continuous ring morphism g : A⟨X⟩T →B such that f = g ◦ι and g(Xi) = xi for every i ∈I.
Proof. We already know that there exists a unique continuous ring morphism g : A[X]T →B satisfying the two conditiions of the statement (by proposition II.3.3.1(iv)). By Chapitre III §3 No5 corollaire de la proposition 8, g has a unique extension to a continuous morphism of topological groups from A⟨X⟩T to B, and this extension is clearly a morphism of rings.
We now specialize to the case of interest of us, i.e. that of f-adic rings.
First we note the following useful fact.
Lemma II.3.3.5. (Lemma 6.20 of .) Let A be a f-adic ring and T be a subset of A. If T generates an open ideal of A, then, for any open subgroup U of A and any n ≥0, the subgroup T n · U is open.
Proof. Let U and n be as in the statement, and let (A0, I) be a couple of definition of A. By assumption, the ideal J of A generated by T is open, so it contains some power of I. Hence Jn also contains a power of I. After changing the ideal of definition, we may assume that I ⊂Jn = T n · A. Let L be a finite set of generators of I, and let M be a finite set such that L ⊂T n ·M. As M is finite, it is bounded, so we can find an integer r ∈N such that M ·Ir ⊂U.
Then we have Ir+1 = L · Ir ⊂T n · M · Ir ⊂T n · U, so T n · U is open.
Proposition II.3.3.6. (Proposition 6.21 of .) Let A be a non-Archimedean topological ring, let X = (Xλ)λ∈L be a family of indeterminates (not necessarily finite) and let T = (Tλ)λ∈L be a family of subsets of A.
Let (A0, I) be a couple of definition of A. Suppose that, for every λ ∈L, the subset Tλ generates an open ideal of A. Then : (i) The ring A[X]T is f-adic, with couple of definition (A0[X,T], I[X,T]). In particular, the canonical map A →A[X]T is adic. Moreover, if A is a Tate ring, then A[X]T is also a Tate ring.
81 II Topological rings and continuous valuations (ii) Suppose that the family of indeterminates (Xλ)λ∈L is finite.
5 Then the ring A⟨X⟩T is f-adic, with couple of definition (A0⟨X,T⟩, I⟨X,T⟩), and the canonical map A →A⟨X⟩T is adic. Moreover, if A is a Tate ring, then A⟨X⟩T is also a Tate ring.
Proof.
(i) It is clear that A0[X,T] is an open subring of A[X]T, and that I[X,T] = I · A0[X,T] is a finitely generated ideal of A0[X,T]. As (I[X,T])n = (In)[X,T] for every n ≥1, we see that the topology on A0[X,T] is the I[X,T]-adic topology, so A[X]T is adic. The map A →A[X]T is clearly adic, and the last statement is also clear.
(ii) First note that A0⟨X,T⟩is an open subring of A⟨X⟩T.
Let J be an ideal of definition of A0; we claim that J⟨X,T⟩= JA0⟨X,T⟩. The inclusion J⟨X,T⟩⊃JA0⟨X,T⟩is clear. Conversely, let f = P ν aνXν ∈J⟨X,T⟩. Let x1, . . . , xr ∈A0 be generators of J. We write NL = S+∞ k=1 Nk, with all the Nk finite and with aν ∈T ν · Jk for every k ∈N and every ν ∈Nk. If k ∈N and aν ∈Nk, we write aν = Pr i=1 xiaν,i, with the aν,i ∈T ν · Ik−1. Let fi = P ν∈NL aν,iXν, for 1 ≤i ≤s. Then f1, . . . , fs ∈A0⟨X,T⟩, and so f = x1f1 + . . . xsfs ∈JA0⟨X,T⟩.
In particular, we have I⟨X,T⟩ = IA0⟨X,T⟩.
Hence, for every n ≥ 1, ap-plying the previous paragraph to the ideal of definition In of A0, we get that (I⟨X,T⟩)n = InA0⟨X,T⟩= (In)⟨X,T⟩.
This shows that the topology on A0⟨X,T⟩is the IA0⟨X,T⟩-adic topology, and so A⟨X⟩T is f-adic. The map A →A⟨X⟩T is clearly adic, and the last statement is also clear.
Example II.3.3.7. Take A = Zℓ, I = {1} and T1 = {ℓ}. We get a f-adic ring Zℓ⟨X⟩T = { X n≥0 anXn ∈Zℓ | ℓ−nan →0 as n →+∞}, with ring of definition Zℓ⟨X,T⟩= { X n≥0 anXn ∈Zℓ⟨X⟩T | ∀n ∈N, ℓ−nan ∈Zℓ}.
The topology on Zℓ⟨X,T⟩is the ℓZℓ⟨X,T⟩-adic topology. Note in particular that Zℓ⟨X⟩T is strictly bigger than Zℓ⟨X,T⟩, and that the ring Zℓ⟨X⟩T is not adic, even though Zℓis. For example, ℓis topologically nilpotent in Zℓ⟨X⟩T, but ℓX is not, because ℓnXn ̸∈ℓZℓ⟨X,T⟩for n ≥0. (This could not happen in an adic ring, in which all elements are power-bounded.) Lemma II.3.3.8. (Remark 5.24 of .) Let A be a ring and G be a set of additive subgroups of A. Then requiring G to be a fundamental system of neighborhoods of 0 makes A a topological ring if and only the following conditions hold : (a) For all G, G′ ∈G , there exists H ∈G such that H ⊂G ∩G′.
5We would get the same conclusion if we assumed instead that A is Hausdorff and that all the Tλ are bounded.
82 II.3 Constructions with f-adic rings (b) For every a ∈A and every G ∈G , there exists H ∈G such that aH ⊂G.
(c) For every G ∈G , there exists H ∈G such that H · H ⊂G.
Proof. The conditions are obviously necessary. Conversely, suppose that they hold. Condition (a) says that G does give a fundamental system of neighborhoods for a topological group struc-ture on A (see Chapitre III §1 No2 proposition 1). Conditions (b) and (c) now say that A is a topological ring (see Chapitre III §6 No3 Remarque).
Notation II.3.3.9. If Ti = {1} for every i ∈I, we write A[X]T = A[X] and A⟨X⟩T = A⟨X⟩.
II.3.4 Localizations Proposition II.3.4.1. (Proposition 5.51 of .) Let A be a non-Archimedean topological ring and T = (Ti)i∈I be a family of subsets of A satisfying the condition of proposition II.3.3.1.
Let S = (si)i∈I be a family of elements of A, and denote by R the multiplicative subset of A generated by {si, i ∈I}.
Then there exists a unique non-Archimedean topological ring structure on R−1A, making it into a topological ring that we will denote by A T S = A Ti si | i ∈I , satisfying the following properties : (i) The canonical morphism ϕ : A →A T S is continuous and the set { ϕ(t) ϕ(si), i ∈I, t ∈Ti} is power-bounded in A T S .
(ii) For every non-Archimedean topological ring B and every continuous map f : A →B such that f(si) is invertible in B for every i ∈I and that the set { f(t) f(si), i ∈I, t ∈Ti} is power-bounded in B, there exists a unique continuous ring morphism g : A T S →B such that f = gϕ.
Proof. Let D be the subring of R−1A generated by all the ϕ(t) ϕ(si), for i ∈I and t ∈Ti. Then the family of subsets D · ϕ(U) ⊂R−1A, for U an open subgroup of A, satisfies the conditions of lemma II.3.3.8, which implies that there is a unique structure of topological ring on R−1A that makes this family a fundamental system of neighborhoods of 0. It is clear that ϕ : A →R−1A is continuous for this topology, because ϕ−1(D · ϕ(U)) ⊃U.
As D is a subring of R−1A, and as it is bounded by definition of the topology, the se t{ ϕ(t) ϕ(si), i ∈I, t ∈Ti} is power-bounded.
We check that ϕ : A →R−1A satisfies the universal property of (ii) (which will also im-ply uniqueness). Let f : A →B be as in (ii). By the universal property of the localization, there exists a unique ring morphism g : R−1A →B such that f = g ◦ϕ, so we just need to 83 II Topological rings and continuous valuations check that this g is continuous. Let E be the subring of B generated by the power-bounded set { f(t) f(si), i ∈I, t ∈Ti}; then E is bounded by lemma II.1.2.6(ii), and we have g(D) ⊂E.
Let U be an open subgroup of B. As E is bounded, there exists an open subgroup V of B such that E · V ⊂U. As f is continuous, W := f −1(V ) is an open subgroup of A. As g(ϕ(W) · D) = f(W) · f(D) ⊂V · E ⊂U, g−1(U) contains the open subgroup ϕ(W) · D, so it is open.
Remark II.3.4.2. (Remark 5.52 of .) (1) We have A Ti si | i ∈I = A Ti ∪{si} si | i ∈I , so we can always assume that si ∈Ti for every i ∈I.
(2) Let J be the ideal of A[X]T generated by the set {1 −siXi, i ∈I}. Then A[X]T/J, with the quotient topology, satifies the same universal property as A T S , so we have a canonical isomorphism A[X]T/J = A T S .
Proposition II.3.4.3. (Proposition 6.21 of .) Let A, T = (Ti)i∈I and S = (si)i∈I be as in proposition II.3.4.1, and suppose that A is f-adic.
Then A T S is also f-adic, and the canonical map A →A T S is adic.
If I = {1} is a singleton and T1 = {t1, . . . , tn} is finite, we also write A T S = A t1,...,tn s0 .
Proof. This follows immediately from remark II.3.4.2 and from proposition II.3.3.6(i).
Remark II.3.4.4. Let us give an explicit ring of definition of B := A T S (the notation is that of proposition of II.3.4.3). Let A0 be a ring of definition of A. Then A0[X,T] is a ring of definition of A[X]T, so its image by the surjective map A[X]T →B is a ring of definition of B. By definition, we have A0[X,T] = { X ν∈N(I) aνXν ∈A[(Xi)i∈I] | aν ∈T νA0 for all ν ∈N(I)}.
So its image B0 in B is the A0-submodule of B generated by the sets Q i∈I T νi i s−νi i , for (νi)i∈I ∈NI. In other words, B0 is the A0-subalgebra of B generated by the elements ts−1 i , for i ∈I and t ∈Ti.
In particular, if I = {1} is a singleton, s = s1 and T1 = {t1, . . . , tn}, then B0 = A0[t1s−1, . . . , tns−1].
84 II.4 The Banach open mapping theorem Definition II.3.4.5. If A is a f-adic ring and T and S are as in proposition II.3.4.1, we denote the completion of A T S by A T S . This is also a f-adic ring, and the canonical map A →A⟨T S ⟩is adic.
If A is complete, we can also see A⟨T S ⟩as the quotient of A⟨X⟩T by the closure of the ideal generated by {1 −siXi, i ∈I}.
Putting the universal properties of proposition II.3.4.1 and of the completion together, we get the following result : Proposition II.3.4.6. Let A be a f-adic ring and T and S be as in proposition II.3.4.1. Then, for every complete non-Archimedean topological ring B and every continuous map f : A →B such that f(si) is invertible in B for every i ∈I and that the set { f(t) f(si), i ∈I, t ∈Ti} is power-bounded in B, there exists a unique continuous ring morphism g : A⟨T S ⟩→B such that f = gϕ.
Example II.3.4.7. Take A = A0 = Zℓ, with ideal of definition J = (ℓ, X). Take I = {1} and T1 = {ℓ, u}.
Let B = A[X]T and B0 = A[X,T]. Note that B0 is strictly contained in B, because a poly-nomial P n≥0 anXn is in B0 if and only if an ∈(ℓ, u)nA for every n ≥0, so for example X ∈B −B0. We have b B = A⟨X⟩T and b B0 = A⟨X,T⟩, and again b B0 ⊊b B.
We now consider the localizations A ℓ,u ℓ and A ℓ,u u as f-adic rings, and in particular we want to write down rings of definition. As rings, we have A T s = Zℓ[ℓ−1] and A T s = Zℓ[u−1].
We get rings of definition by using the description of remark II.3.4.4. As A is a ring of definition of itself, this remark shows that A[ u ℓ] is a ring of definition of A ℓ,u ℓ and A[ ℓ u] is a ring of definition of A ℓ,u u . Note that ℓis not invertible in A[ u ℓ], even though it is of course invertible in A ℓ,u ℓ ; similarly, u is not invertible in the ring of definition A[ ℓ u] of A ℓ,u u . Note also that the completed localizations are not adic rings, even though we started from an adic ring.
In A⟨ℓ,u ℓ⟩, a ring of definition is A⟨X,T⟩/(1 −ℓX)A⟨X,T⟩, which is isomorphic to A⟨u ℓ⟩:= { X n≥0 an u ℓ n , an ∈A, an →0 as n →+∞}.
II.4 The Banach open mapping theorem The reference for this section is Henkel’s note , where Henkel explains how to adapt the proof of chapitre I §3 No3 Th´ eoreme 1.
85 II Topological rings and continuous valuations II.4.1 Statement and proof of the theorem Theorem II.4.1.1. (Theorem 1.6 of ) Let A be a topological ring that has a sequence of units converging to 0. Let M and N be Hausdorff topological A-modules that have countable topological systems of open neighborhoods of 0, and let u : M →N be a continuous A-linear map. Suppose that M is complete. Then the following properties are equivalent : (i) N is complete and u is surjective; (ii) N is complete and u(M) is open in N; (iii) for every neighborhood U of 0 in M, u(U) is a neighborhood of 0 in N; (iv) u is open.
Proof. Note that the conditions on M and N imply that their topology is defined by translation-invariant metrics (see theorem II.4.1.7).
Condition (i) clearly implies (ii), and (iii) implies (iv) by theorem II.4.1.7 and lemma II.4.1.4.
We show that (ii) implies (iii). Choose a sequence of units (an)n≥0 of A that converges to 0.
Let U be a neighborhood of 0 in M, and let V be a neighborhood of 0 in M such that V −V ⊂U.
By lemma II.4.1.2, we have M = S n≥0 a−1 n · V , so u(M) = [ n≥0 a−1 n · u(V ) ⊂ [ n≥0 a−1 n · u(V ).
As the elements an are units, multiplication by an and a−1 n is a homeomorphism of N. In par-ticular, all the sets a−1 n · u(V ) are closed in N. As u(M) is open, the Baire category theo-rem implies that at least one of the a−1 n · u(V ) has nonempty interior, so u(V ) has nonempty interior.
Let y be an interiot point of u(V ).
Then 0 = y −y is an interior point of u(V ) −u(V ) ⊂u(V −V ) ⊂u(U), which means that u(U) is a neighborhood of 0, as de-sired.
Finally, we show that (iv) implies (i). If u is open, then u(M) is open, and this implies that u is surjective by lemma II.4.1.3. As u is open, it induces an isomorphism of topological A-modules M/ Ker(u) ∼ →N (i.e. an isomorphism of A-modules that is also a homeomorphism). As N is Hausdorff, Ker(u) is a closed subgroup of M by chapitre III §2 No6 proposition 18, and then M/ Ker(u) is complete by chapitre IX §3 No1 proposition 4.
Lemma II.4.1.2. (Lemma 1.7 of .) Let A be a topological ring, let (ai)i∈I be a family of elements of A whose closure contains 0, let M be a topological A-module, and let U be a neighborhood of 0 in M. Then, for every x ∈M, there exists i ∈I such that ai · x ∈U.
Proof. Let x ∈M. As the action map A × M →M is continuous, there exists a neighborhood V of 0 in A such that V · x ⊂U. If i ∈I is such that ai ∈V , we have ai · x ∈U.
86 II.4 The Banach open mapping theorem Lemma II.4.1.3. (Lemma 1.13 of .) Let A be a topological ring in which each neighborhood of 0 contains a unit, let N be a topological A-module, and let N ′ be a A-submodule of N. Then N ′ = N if and only if N ′ contains a nonempty open subset of N.
Proof. Suppose that N ′ contains a nonempty open subset U of N. Translating U by an element of N ′, we may assume that 0 ∈U. Applying lemma II.4.1.2 to the family of all units of A, we get N = S a∈A× a−1 · U ⊂N ′.
Lemma II.4.1.4. (Proposition 1.12 of .) Let M and N be commutative topological groups whose topology comes from a translation-invariant metric, and let u : M →N be a continuous morphism of groups such that, for every neighborhood U of 0 in M, u(U) is a neighborhood of 0 in N. Suppose that M is complete. Then u is open.
Proof. We fix translation-invariant metrics giving the topologies of M and N, and denote by BM(x, r) (resp. BN(x, r)) the open ball with center x and radius r for both the metric on M (resp. N).
The hypothesis says that, for every r > 0, there exists ρ(r) > 0 such that BN(0, ρ(r)) ⊂u(BM(0, r)). Using the fact that the metrics are translation-invariant, we eas-ily get BN(u(x), ρ(r)) ⊂u(BM(x, r)) for every x ∈M and every r > 0.
Fix r > 0 and a > r. We want to show that BN(0, ρ(r)) ⊂u(BM(0, a)). (This will clearly finish the proof.) The argument is that of chapitre I §3 No3 lemme 2. Choose a sequence (rn)n≥1 of positive real numbers such that r1 = r and P n≥1 rn = a, and a sequence of positive real numbers (ρn)n≥1 such that ρn ≤ρ(rn) and that limn→+∞ρn = 0. Let y ∈BN(0, r). We want to show that y ∈u(BM(0, a)). We define a sequence (xn)n≥0 of elements of M such that xn ∈BM(xn−1, rn) and u(xn) ∈BN(y, ρn+1) for n ≥1 in the following way : - x0 = 0; - if n ≥1 and x0, . . . , xn−1 have been chosen to satisfy the two required conditions, then we have y ∈BN(u(xn−1), ρn) ⊂u(BM(xn−1, rn)), so BN(y, ρn+2) ∩u(BM(xn−1, rn)) is not empty, and we choose xn in this set.
The sequence (xn)n≥1 is a Cauchy sequence because P n≥1 rn converges, so P n≥N rn tends to 0 as N →+∞. As M is complete, (xn)n≥1 has a limit x. We have x ∈BM(0, a) by the triangle inequality, and u(x) = limn→+∞u(xn) = y because u is continuous. So we are done.
Corollary II.4.1.5. (Theorem 1.17 of .) Let A be a topological ring that has a sequence of units converging to 0. Let M and N be topological A-modules such that M is finitely generated, Hausdorff, complete and has a countable fundamental system of open neighborhoods of 0. Then any A-linear map u : M →N is continuous.
87 II Topological rings and continuous valuations Proof. Let π : An →M be a surjective A-linear map. Then the u ◦π : An →N is given by the formula (u ◦π)(a1, . . . , an) = n X i=1 ai · u(π(ei)), where (e1, . . . , en) is the canonical basis of An, so it is continuous. Similarly, π is continuous.
By theorem II.4.1.1, π is open, so, for open subset U of N, the subset u−1(U) = π((u◦π)−1(U)) of M is open. This shows that u is continuous.
Corollary II.4.1.6. Let A be a complete Tate ring, let M and N be topological A-modules, and let u : M →N be a surjective A-linear map. Suppose that M and N are quotients of finite free A-modules by closed submodules. Then u is open.
Proof. If ϖ is a topologically nilpotent unit of A, then (ϖn)n≥0 is a sequence of units of 0 converging to 0. Also, as A has a countable system of neighborhoods of 0, its topology comes from a translation-invariant metric by theorem II.4.1.7. By chapitre IX §3 No1 proposition 4, the A-modules M and N are Hausdorff, complete and metrizable. Also, u is continuous by corollary II.4.1.5. So we can apply theorem II.4.1.1 to get the conclusion.
Theorem II.4.1.7. ( chapitre IX §3 No1 propositions 1 and 2) Let G be a commutative topo-logical group. Then the topology of G is given by a translation-invariant pseudometric if and only if G has a countable fundamental system of neighborhoods of 0.
II.4.2 Applications Proposition II.4.2.1. (Proposition 2.11 of .) Let A be a complete Tate ring, and let M be a complete topological A-module that has a countable fundamental system of neighborhoods of 0.
Then the following conditions are equivalent : (i) M is a Noetherian A-module; (ii) every A-submodule of M is closed.
In particular, the ring A is Noetherian if and only if every ideal of A is closed.
Proposition II.4.2.2. (Theorems 1.17 and 2.12 of .) Let A be a complete Noetherian Tate ring. Then : (i) Every finitely generated A-module has a unique topology that makes it a Hausdorff com-plete topological A-module having a countable fundamental system of neighborhoods of 0.
88 II.4 The Banach open mapping theorem (ii) Let M and N be finitely generated A-modules endowed with the topology of (i).
If u : M →N is a A-linear map, then u is continuous, Im u is closed in N and u : M →Im u is open.
We call the topology of point (i) of the proposition the canonical topology on M.
89 III The adic spectrum In all this chapter, A is a f-adic ring.
III.1 Rings of integral elements We will be interested in subsets of Cont(A) defined by conditions of the type |a|x ≤1, for a in some fixed subset Σ of A. We will see in this section that we can only assume that Σ is an open an integrally closed subring of A, and that the case of most interest is when Σ ⊂A0.
Remark III.1.1. Let x ∈Cont(A) and let a ∈A0 (i.e. a is power-bounded). If x is a rank 1 valuation, then we necessarily have |a|x ≤1. In general, this is not true. See the next example.
Example III.1.2. Let k a field, and let A = k((t))((u)), with the rank 2 valuation x of example I.1.4.3 (so we have Rx = {f = P n≥0 fntn ∈k((t)) | f0 ∈k}). Let y be the u-adic valuation on A. Then we have seen in example I.1.5.5 that |.|x and |.|y define the same topology on A. If we put this topology on A, then x and y are in Cont(A). As y has rank 1, we have A0 = {f ∈A | |f|x ≤1} = k((t)) and A00 = {f ∈A | |f|x < 1} = uA0.
If a is any element of A0 −Rx (for example a = 1 t), then a is power-bounded but |a|x > 1.
Definition III.1.3. Let Σ be a subset of A. We write Spa(A, Σ) = {x ∈Cont(A) | ∀a ∈Σ, |a|x ≤1}.
Note that we obviously have Spa(A, Σ) ⊃Spa(A, Σ′) if Σ ⊂Σ′.
Proposition III.1.4. (Lemma 3.3 of .) Let Σ be a subset of A. We denote by AΣ the smallest open and integrally closed subring of A containing Σ. Then : (i) Spa(A, Σ) is a pro-constructible subset of Cont(A); (ii) we have AΣ = {f ∈A | ∀x ∈Spa(A, Σ), |f|x ≤1} and Spa(A, Σ) = Spa(A, AΣ).
91 III The adic spectrum Proof.
(i) If a ∈A, then Spa(A, {a}) = {x ∈Cont(A) | |a|x ≤1} = Ucont 1, a 1 is a quasi-compact open subset of Cont(A), and in particular it is constructible.
So Spa(A, Σ) = T a∈Σ Spa(A, {a}) is pro-constructible.
(ii) Let A′ = {f ∈A | ∀x ∈Spa(A, Σ), |f|x ≤1}.
Then A′ is clearly a subring of A, and it is open because it contains the open subgroup A00.
We claim that A′ is integrally closed in A. Indeed, let f ∈A, and suppose that we have an equation f n + a1f n−1 + . . . + an = 0, with n ≥1 and a1, . . . , an ∈A′. Then, for every x ∈Spa(A, Σ), we have |f|n x ≤max 1≤i≤n |ai|x|f|n−1 x ≤max(1, |f|x, . . . , |f|n−1 x ), and this is only possible if |f|x ≤1.
As A′ contains Σ, it also contains AΣ. Note also that Spa(A, Σ) = Spa(A, A′) by definition of A′. So it just remains to show that A′ ⊂AΣ.
So suppose that we have an element a ∈A −AΣ. We want to construct a continuous valuation x on A such that |a|x > 1. Consider the element a−1 of AΣ[a−1] ⊂A[a−1]; this is not a unit, because otherwise a would be an element of AΣ[a−1], so it would be integral over AΣ, which is impossible because AΣ is integrally closed in A and a ̸∈AΣ.
So there exists a prime ideal ℘of AΣ[a−1] such that a−1 ∈℘. Let q ⊂℘be a mini-mal prime ideal of AΣ[a−1]. Then B := (AΣ[a−1]/q)℘/q is a local subring of the field K := Frac(AΣ[a−1/q]), so, by theorem I.1.2.2(i), there exists a valuation subring R ⊃B of K such that mB = B ∩mR. This valuation subring defines a valuation |.|R on K, hence a valuation |.| on AΣ[a−1] via the obvious map AΣ[a−1] →AΣ[a−1]/q ⊂K, and we have Ker |.| = q. Also, by the choice of R, we have |f| ≤1 for every f ∈AΣ[a−1] and |f| < 1 for every f ∈℘, and in particular |a−1| < 1.
Let S = AΣ[a−1] −q.
As S−1AΣ[a−1] is flat over AΣ[a−1], the map S−1AΣ[a−1] →S−1A[a−1] is injective, so S−aA[a−1] ̸= {0}, and there exists a prime ideal q′ of A[a−1] such that q ∩S = ∅. In particular, we have q′ ∩AΣ[a−1] ⊂q, which implies that q′ ∩AΣ[a−1] = q because q is a minimal prime ideal, and we get a field extension K ⊂K′ := Frac(A[a−1]/q′). By proposition I.1.2.3, there exists a valuation subring R′ of K′ such that R′ ∩K = R. Let v ∈Spv(A) correspond to the composition of A →A[a−1]/q′ ⊂K′ and of |.|R′. Then we have |f|v ≤1 for every f ∈AΣ and |a|v > 1. Note also that |f|v < 1 for every f ∈A00. Indeed, if f ∈A00, then there exists an integer r ≥1 such that f ra ∈AΣ (because AΣ is an open subring of A), and then |f|r v|a|v = |f ra|v ≤1 and |a|v > 1, which implies that |f|v < 1.
We would be done if the valuation v was continuous, but this has no reason to be true.
So let w = v|cΓv be the minimal horizontal specialization of v.
We obviously have 92 III.1 Rings of integral elements w ∈Spv(A, A00 · A). Also, |f|w ≤|f|v for every f ∈A, so we have |f|w ≤1 for every f ∈AΣ and |f|w ≤|f|v < 1 for every f ∈A00. In particular, v ∈Cont(A) by theorem II.2.2.1. Also, we have |a|v > 1, so |a|v ∈cΓv, hence |a|w = |a|v > 1. Finally, we have found w ∈Cont(A) such that w ∈Spa(A, AΣ) and |a|w > 1, which means that a ̸∈A′.
Proposition III.1.5. (Lemma 3.3 of .) Let A+ ⊂A be an open and integrally closed subring.
(i) If A+ ⊂A0, then Spa(A, A+) is dense in Cont(A) and contains all the trivial valuations in Cont(A) and all the rank 1 points of Cont(A). More precisely, every x ∈Cont(A) is a vertical specialization of a point y of Spa(A, A+), and we can choose y to be of rank 1 if x is analytic.
(ii) Suppose that A is a Tate ring and has a Noetherian ring of definition. If Spa(A, A+) is dense in Cont(A), then A+ ⊂A0.
Proof.
(i) We first prove that the continuous trivial valuations and the continuous rank 1 val-uations are in Spa(A, A+). Let x ∈Cont(A). If Γx = {1}, then obviously |a|x ≤1 for every A+, so x ∈Spa(A, A+). If x has rank 1, then |a|x ≤1 for every x ∈A0 ⊃A+, so again x ∈Spa(A, A+).
Now we prove the last sentence. Let x ∈Cont(A). If supp(x) is open, then every vertical generization (or specialization) of x is continuous, and in particular the maximal vertical generization y = x/Γx of x is in Cont(A). As |f|y ∈{0, 1} for every f ∈A, we clearly have y ∈Spa(A, A+).
Suppose that supp(x) is not open, i.e. that x ∈Cont(A)an. By corollary II.2.4.8, x has a rank 1 generization y ∈Cont(A)an. We have already seen that such a y has to be in Spa(A, A+).
(ii) Suppose that A+ ̸⊂A0, and choose a ∈A+ −A0. By proposition III.1.4(ii), there exists x ∈Spa(A, A0) such that |a|x > 1.
Let L be as in lemma III.1.6, and let S = {x ∈L | |a|x > 1}; by what we just wrote, we have S ̸= ∅. As S is the intersec-tion of L and of a constructible subset of Spv(A), lemma III.1.6 implies that there exists a maximal element y ∈Cont(A) such that |a|y > 1. In particular, y is not in Spa(A, A+) and, as it is maximal, it cannot be a proper specialization of a point of Spa(A, A+). As Spa(A, A+) is pro-constructible in Cont(A), proposition I.3.1.3(ii) implies that y is not in the closure of Spa(A, A+). So Spa(A, A+) is not dense in Cont(A).
Lemma III.1.6. Let A be a Tate ring which has a Noetherian ring of definition. Let L = {x ∈Spv(A) | ∀a ∈A0, |a|x ≤1 and ∀a ∈A00, |a|x < 1}, and let Cont(A)max be the set of maximal points of Cont(A) (for the order given by specializa-tion).
93 III The adic spectrum Then Cont(A)max is the set of rank 1 points of Cont(A), Cont(A)max ⊂L, and Cont(A)max is dense in L for the constructible topology of Spv(A).
Proof. As A is a Tate ring, we have Cont(A) = Cont(A)an (see remark II.2.5.7). So, by II.2.4.8, Cont(A)max is the set of rank 1 valuations in Cont(A), and in particular Cont(A)max ⊂L.
Fix a pair of definition (A0, I) of A with A0 Noetherian, and let ϖ be a topologically nilpotent unit in A. To show that Cont(A)max is dense in L for the constructible topology, we must show that every ind-constructible subset of Spv(A) that intersects L also intersects Cont(A)an. So let E be a ind-constructible subset of Spv(A) such that E ∩L ̸= ∅. It suffices to treat the case where there exist a1, . . . , an, b1, . . . , bn, c1, . . . , cm, d1, . . . , dm ∈A such that E = {x ∈Spv(A) | ∀i ∈{1, . . . , n}, |ai|x ≤|bi|x and ∀j ∈{1, . . . , m}, |cj|x < |dj|x} (these sets form a base of the constructible topology). Let x ∈E ∩L, and denote the canonical map A →A/℘x ⊂K(x) by f. We may assume that there exists r ∈{0, . . . , n} such that f(b1), . . . , f(br) ̸= 0 and f(br+1) = . . . = f(bn) = 0. Let B be the subring of K(x) generated by f(A0), the f(ai) f(bi) for 1 ≤i ≤r and the f(cj) f(dj) for 1 ≤j ≤m. Then B is Noetherian, B ⊂Rx and B ∩mRx contains the f(cj) f(dj) for 1 ≤j ≤m and f(I) (because I ⊂A00). As the prime ideal ℘x is not open (because A is Tate, so its only open ideal is A itself), it does not contain I, so f(I) ̸= {0} and so ℘:= B ∩mRx ̸= {0}. The Noetherian local ring B℘is not a field, and K is a finitely generated extension of Frac(B℘) (it is generated by f(ϖ−1), by proposition II.2.5.2), so, by EGA II 7.1.7, there exists a discrete valuation subring R of K such that B℘⊂R and mR ∩B℘= ℘B℘. Let y be the corresponding valuation on A (i.e. the composition of f and of |.|R). We have ℘y = ℘x, and Ry = R contains B, so |ai|y ≤|bi|y for 1 ≤i ≤r, |ai|y = |bi|y = 0 for r + 1 ≤i ≤n, |cj|y < |dj|y for 1 ≤j ≤m and |f|y ≤1 for every f ∈A0. In particular, y ∈E. We want to show that y ∈Cont(A)max. As y has rank 1, it suffices to show that y is continuous by the first paragraph of the proof. As y is discrete, it is continuous if and only if {a ∈A | |a|y ≤1} is open; but this subring contains A0 and A0 is open, so we are done.
Propositions III.1.4 and III.1.5 suggest that it reasonable to consider the sets Spa(A, Σ) when Σ is an open and integrally closed subring of A contained in A0 (because then Spa(A, Σ) is dense in Cont(A) and determines Σ). We give a special name to these rings.
Definition III.1.7. A ring of integral elements in A is an open and integrally closed subring A+ of A such that A+ ⊂A0. We also say that (A, A+) is an affinoid ring (in Huber’s terminology) or a Huber pair (in other people’s terminology). A morphism of Huber pairs ϕ : (A, A+) →(B, B+) is a continuous ring morphism ϕ : A →B such that ϕ(A+) ⊂B+; it is called adic if the morphism A →B is adic.
We say that the Huber pair (A, A+) is Tate (resp. adic, resp. complete) if A is.
94 III.2 The adic spectrum of a Huber pair Example III.1.8.
(1) The biggest ring of integral elements is A0, and the smallest one in the integral closure of Z · 1 + A00. More generally, if A′ ⊂A0 is an open subring of A, then its integral closure (in A) is a ring of integral elements.
(2) If K is a topological field whose topology is defined by a valuation x, then, for any vertical specialization y of x, Ry is a ring of integral elements in K. Indeed, Ry is integrally closed in K because it is a valuation subring, and it contains the maximal ideal of Rx by theorem I.1.4.2(i), so it is open.
For example, if we take K = k((t))((u)) with the topology given by the u-adic valuation, then {f ∈k((t)) | f(0) ∈k} is a ring of integral elements in K.
III.2 The adic spectrum of a Huber pair Definition III.2.1. Let (A, A+) be a Huber pair. Then its adic spectrum is the topological space Spa(A, A+).
A rational subset of Spa(A, A+) is a subset of the form R f1, . . . , fn g = {x ∈Spa(A, A+) | ∀i ∈{1, . . . , n}, |fi|x ≤|g|x ̸= 0}, with f1, . . . , fn, g ∈A such that f1, . . . , fn generate an open ideal of A.
We also write Spa(A, A+)an = Spa(A, A+) ∩Cont(A)an for the set of analytic points of Spa(A, A+).
Remark III.2.0.1. Let f1, . . . , fn, g, f ′ 1, . . . , f ′ m, g′ ∈A such that the ideals (f1, . . . , fn) and (f ′ 1, . . . , f ′ m) are open. Then Example III.2.2. If A+ is the integral closure of Z · 1 + A00, then Spa(A, A+) = Cont(A).
Remark III.2.3. Suppose that (A, A+) is a Huber pair, with A a Tate ring, and let R f1,...,fn g be a rational subset of Spa(A, A+).
As the only open ideal of A is A itself, there exist a1, . . . , an ∈A such that a1f1 + . . . + anfn = 1. In particular, for every x ∈Spv(A), we have 1 = |1|x = max1≤i≤n |ai|x|fi|x, so there exists i ∈{1, . . . , n} such that |fi|x ̸= 0. So we have R f1, . . . , fn g = {x ∈Spa(A, A+) | ∀i ∈{1, . . . , n}, |fi|x ≤|g|x}.
(That is, we can delete the condition “|g|x ̸= 0” from the definition, because it follows from the other conditions.) Corollary III.2.4. Let (A, A+) be a Huber pair. Then Spa(A, A+) is a spectral space, and the rational subsets are open quasi-compact and form a base of the topology of Spa(A, A+).
95 III The adic spectrum Proof. By proposition III.1.4(i), Spa(A, A+) is a pro-constructible subset of Cont(A). By corol-lary II.2.2.3, Cont(A) is spectral, and it has base of quasi-compact open subsets given by the Ucont f1, . . . , fn g = {x ∈Cont(A) | ∀i ∈{1, . . . , n}, |fi|x ≤|g|x ̸= 0}, for f1, . . . , fn, g ∈ A such that f1, . . . , fn generate an open ideal of A.
By propo-sition I.3.1.3(i), Spa(A, A+) is spectral, and the inclusion Spa(A, A+) → Cont(A) is spectral (i.e.
quasi-compact).
The result follows from this and from the fact that R f1,...,fn g = Spa(A, A+) ∩Ucont f1,...,fn g .
Let ϕ : (A, A+) →(B, B+) be a morphism of Huber pairs. Then the continuous map Spv(B) →Spv(A) restricts to a continuous map Spa(B, B+) →Spa(A, A+), which we will denote by Spa(ϕ). The basic properties of these maps are given in the next proposition.
Proposition III.2.5. (Proposition 3.8 of .) Let ϕ : (A, A+) →(B, B+) be a morphism of Huber pairs. Then (i) If x ∈Spa(B, B+) is not analytic, then Spa(ϕ)(x) is not analytic.
(ii) If ϕ is adic, then Spa(ϕ) sends Spa(B, B+)an to Spa(A, A+)an.
(iii) If B is complete and Spa(ϕ) sends Spa(B, B+)an to Spa(A, A+)an, then ϕ is adic.
(iv) If ϕ is adic, then the inverse image by Spa(ϕ) of any rational domain of Spa(A, A+) is a rational domain of Spa(B, B+). In particular, Spa(ϕ) is spectral.
Proof. We write f = Spa(ϕ).
(i) We have supp(f(x)) = ϕ−1(supp(x)), so supp(f(x)) is open if supp(x) is open.
(ii) Let (A0, I) be a couple of definition of A and B0 be a ring of definition of B such that ϕ(A0) ⊂B0 and ϕ(I)B0 is an ideal of definition of B0. Let x ∈Spa(B, B+). If f(x) is not analytic, then supp(f(x)) = ϕ−1(supp(x)) is an open prime ideal of A, so it contains I, so supp(x) contains f(I), which implies that supp(x) is an open ideal of B and that x is not analytic.
(iii) Suppose that ϕ is not adic. Choose a couple of definition (A0, I) and (B0, J) of A and B such that ϕ(A0) ⊂B0 and ϕ(I) ⊂J. As ϕ is not adic, we have p ϕ(I)B0 ̸= √ J, so there exists a prime ideal ℘of B0 such that ϕ(I) ⊂℘and J ̸⊂℘. Since B0 is J-adically complete, J is contained in the Jacobson radical of B0 by Chapitre III §2 No13 lemma 3 (the idea is that every a ∈J is topologically nilpotent, so 1 −a is in-vertible with inverse P n≥0 an). So there exists a prime ideal q of B0 containing both J and ℘(take for example any maximal ideal of B0).
Let R be a valuation subring of Frac(B0/℘) dominating the local subring (B0/℘)q/℘, and let x be the corresponding 96 III.2 The adic spectrum of a Huber pair valuation on B0; in particular, we have supp(x) = ℘and |a|x < 1 for every a ∈J.
Let r : Spv(B0) →Spv(B0, J) be the retraction introduced in definition I.4.1.6. As J ̸⊂supp(x), we have J ̸⊂supp(r(x)) by theorem I.4.2.4(iv). Also, as r(x) is a horizon-tal specialization of x, we have |a|r(x) ≤|a|x < 1 for every a ∈J. So r(x) ∈Cont(B0) by theorem II.2.2.1. Let y be the unique point of Cont(B)an such that the restriction of |.|y to B0 is |.|r(x) (see lemma III.2.6). Let z ∈Cont(B)an be the unique rank 1 vertical generiza-tion of y (see corollary II.2.4.8). Then z ∈Spa(B, B+) because z has rank 1. On the other hand, supp(z) = supp(y) ⊃supp(r(x)) ⊃supp(x) = ℘, so supp(f(z)) = ϕ−1(℘) ⊃I is open and so f(z) is not analytic.
(iv) Let f1, . . . , fn, g ∈A such that f1, . . . , fn generate an open ideal a of A.
Then a contains any ideal of definition of a ring of definition of B, and, as ϕ is adic, ϕ(a) = (ϕ(f1), . . . , ϕ(fn)) is an open ideal of B. As we clearly have f −1 R f1,...,fn g = R ϕ(f1),...,ϕ(fn) ϕ(g) , this proves the result.
Lemma III.2.6. (Lemma 3.7 of , lemma 7.44 of .) Let B be an open subring of A.
Remember that B is f-adic by corollary II.1.1.8(ii). We consider the commutative square Spv(A) g / Spv(B) Spec(A) f / Spec(B) where the horizontal maps are induced by the inclusion B ⊂A.
(i) If T ⊂Spec(B) is the subset of open prime ideals, then f −1(T) ⊂Spec(A) is the subset of open prime ideals, and f induces a homeomorphism Spec(A) −f −1(T) ∼ →Spec(B) −T.
(ii) Cont(A) = g−1(Cont(B)).
(iii) The restriction of g to Cont(A)an induces a homeomorphism Cont(A)an ∼ →Cont(B)an, and, for every x ∈Cont(A)an, the canonical injection Γg(x) →Γx is an isomorphism.
Proof.
(i) Let ℘∈Spec(A). As B is an open subring of A, ℘is open in A if and only if ℘∩B is open (in B or A). This proves the first statement.
Let q ∈Spec(B) −T. Then q does not contains B00; we fix s ∈B00 −q. As B is open in A, for every a ∈A, we have sna ∈B for n big enough. So the injective ring morphism Bs →As is also surjective, and the map Spec(Bs) →Spec(As) is a homeomorphism. As Spec(B) −T = S s∈B00 Spec(Bs) and Spec(A) −f −1(T) = S s∈B00 Spec(As) (as B is open in A, so is B00, so it cannot be contained in a non-open prime ideal of A), we get the second statement.
97 III The adic spectrum (iii) If x ∈Cont(A)an, then g(x) ∈Cont(B), and the support of g(x) is not open by (i), so g(x) ∈Cont(B)an.
Let x ∈Cont(A)an and y ∈Spv(A) such that g(x) = g(y) (that is, such that |.|x and |.|y re-strict to the same valuation on B). As x is analytic and B00 is an open subgroup of A (hence not contained in supp(x)), there exists b ∈B00 such that |b|x = |b|y ̸= 0. Let a ∈A. Then there exists n ≥1 such that bna ∈B, and we get |a|x = |bna|x|b|−n x = |bna|y|b|−n y = |a|y.
So x = y.
Let x ∈ Cont(B)an.
By (i), there exists a non-open prime ideal ℘of A such that ℘∩B = ℘x.
By proposition I.1.2.3, we can extend the valuation |.|x on K(x) = Frac(B/℘x) to a valuation on Frac(A/℘); by composing with A →A/℘, we get an element y of Spv(A) such that g(y) = x. Also, it follows from the proof of (i) that B℘x →A℘is an isomorphism, so K(x) →K(y) is an isomorphism and the injection Γx →Γy is an isomorphism. Also, for every γ ∈Γy, the group {a ∈A | |a|y < γ} con-tains the open subgroup {b ∈B | |a|x < γ}, so it is open; this shows that y ∈Cont(A).
Finally, we have constructed an element y ∈Cont(A)an such that g(y) = x.
We have shown that g : Cont(A)an →Cont(B)an is bijective and continuous. Also, if R is a rational subset of Cont(B), then g(R) is a rational subset of Cont(A) (because, if f1, . . . , fn ∈B generate an open ideal of B, they also generate an open ideal of A); so g is open, hence g : Cont(A)an →Cont(B)an is a homeomorphism.
(ii) If x ∈Cont(A), then we clearly have g(x) ∈Cont(B). Let x ∈Spv(A) such that y := g(x) ∈Cont(B). We want to show that x ∈Cont(A). If y ∈Cont(B)an, then there exists x′ ∈Cont(A)an such that g(x′) = y (by (ii)), and we have in the beginning of the proof of (ii) that this implies that x = x′ ∈Cont(A)an. If y ̸∈Cont(B)an, then supp(y) is open, so supp(x) ⊃supp(y) is also open, and x is continuous (because {a ∈A | |a|x < γ} contains supp(x), hence is open, for every γ ∈Γx).
III.3 Perturbing the equations of a rational domain The goal of this section is to show that a rational domain R f1,...,fn g is not affected by a small perturbation of f1, . . . , fn, g. This result is very important in many parts of the theory (for exam-ple the proof that rational domain are preserved when we complete the Huber pair or, if it is a perfectoid Huber pair, when we tilt it).
Theorem III.3.1. (Lemma 3.10 of .) Let A be a complete f-adic ring and let f1, . . . , fn, g be elements of A such that f1, . . . , fn generate an open ideal of A. Then there exists a neighborhood V of 0 in A such that, for all f ′ 1, . . . , f ′ n, g′ ∈A, if f ′ i ∈fi +U for i ∈{1, . . . , n} and g′ ∈g +U, 98 III.3 Perturbing the equations of a rational domain then the ideal of A generated by f ′ 1, . . . , f ′ n is open and Ucont f1, . . . , fn g = Ucont f ′ 1, . . . , f ′ n g′ .
Proof. Let U = Ucont f1,...,fn g .
Let A0 be a ring of definition of A, and let J be the ideal of A generated by f1, . . . , fn. As A0 ∩J is open, it contains an ideal of definition I of A0. Choose generators a1, . . . , ar of I. By lemma III.3.2, if a′ 1 ∈a1 + I, . . . , a′ r ∈ar + I2, then I = a′ 1A0 + . . . + a′ rA0. For j ∈{, . . . , r}, write aj = Pn i=1 aijfi, with a1j, . . . , anj ∈A. Let W be a neighborhood of 0 in A such that, for every b ∈W and every (i, j) ∈{1, . . . , n} × {1, . . . , r}, we have aijb ∈I2. Then, if f ′ 1, . . . , f ′ n ∈A are such that f ′ i ∈fi + W for every i, the elements Pn i=1 aijf ′ i, 1 ≤j ≤r, of A are in A0 and generate the ideal I; in particular, the ideal of A generated by f ′ 1, . . . , f ′ n contains I, so it is open.
Set f0 = g. For every i ∈{0, . . . , n}, we write Ui = Ucont f0,...,fn fi ; note that U0 = U, that U0, . . . , Un are open quasi-compact, and that, for every i ∈{0, . . . , n} and every x ∈Ui, we have |fi|x ̸= 0. By lemma III.3.3, for every i ∈{0, . . . , n}, there exists a neighborhood Vi of 0 in A such that, for every x ∈Ui and every f ∈Vi, we have |f|x < |fi|x.
Let V = A00 ∩W ∩V0 ∩. . .∩Vn. This is a neighborhood of 0 in A. Let f ′ 1, . . . , f ′ n, g ∈A such that f ′ i ∈fi + V for every i ∈{0, . . . , n} and g′ ∈g + V . We have already seen that f ′ 1, . . . , f ′ n generate an open ideal of A. Let U ′ = Ucont f′ 1,...,f′ n g′ . We want to show that U0 = U ′. Write f ′ 0 = g′.
We first prove that U0 ⊂U ′. Let x ∈U0. For i ∈{0, . . . , n}, we have f ′ i −fi ∈V0, so |f ′ i −fi|x < |f0|x. In particular, taking i = 0 we get |f ′ 0|x = |f0|x. If i ∈{1, . . . , n}, then |fi|x ≤|f0|x = |f ′ 0|x and |f ′ i −fi|x < |f0|x imply that |f ′ i|x ≤max(|fi|x, |f ′ i −fi|x) ≤|f ′ 0|x. So x ∈U ′.
Conversely, we prove that U ′ ⊂U0.
Let x ∈Cont(A) −U0.
If |fi|x = 0 for every i ∈{0, . . . , n}, then supp(x) ⊃(f1, . . . , fn) is open, so it contains A00, so f ′ 0 −f0 ∈supp(x), so |f ′ 0|x = 0 and x ̸∈U ′. From now on, we assume that there exists i ∈{0, . . . , n} such that |fi|x ̸= 0. Choose j ∈{0, . . . , n} such that |fj|x = max0≤i≤n |fi|x; in particular, we have |fj|x ̸= 0. As x ̸∈U0, we have |f0|x < |fj|x. Note also that x ∈Uj. For every i ∈{0, . . . , n}, we have f ′ i −fi ∈Vj, so |f ′ i −fi|x < |fj|x. In particular, |f ′ j −fj|x < |fj|x, so |fj|x = |f ′ j|x. On the other hand, |f ′ 0|x ≤max(|f0|x, |f ′ 0 −f0|x) < |fj|x = |f ′ j|x, so x ̸∈U ′.
Lemma III.3.2. Let A0 be a complete adic ring, let I be an ideal of definition of A0, and suppose that we have elements a1, . . . , ar ∈I such that I = (a1, . . . , ar). Then, for all a′ 1, . . . , a′ r ∈A such that a′ i −ai ∈I2 for every i ∈{1, . . . , r}, we have I = (a′ 1, . . . , a′ r).
99 III The adic spectrum Proof. As I2 ⊂I, we have a′ 1, . . . , a′ r ∈I, so (a′ 1, . . . , a′ r) ⊂I. Consider the A-linear map u′ : Ar →I, (b1, . . . , br) 7− →b1a′ 1 + . . . + bra′ r. We want to show that u′ is surjective. For every n ≥0, we have u′(InAr) ⊂In+1. So, by Chapitre III §2 No8 corollaire 2 du th´ eor eme 1, it suffices to show that, for every n ≥0, the map grn(u′) : (InAr)/(In+1Ar) →In+1/In+2 induced by u′ is surjective. But we have grn(u′) = grn(u), where u is the map Ar →I, (b1, . . . , br) 7− →b1a1 + . . . + brar, and all the grn(u) are surjective because I = (a1, . . . , ar).
Lemma III.3.3. (Lemma 3.11 of .) Let (A, A+) be a Huber pair, X be quasi-compact subset of Spa(A, A+) and s be an element of A such that |s|x ̸= 0 for every x ∈X. Then there exists a neighborhood V of 0 in A such that, for every x ∈X and a ∈U, we have |a|x < |s|x.
In particular, there exists a finite subset T of A such that the ideal T · A is open and that, for every t ∈T, we have |t|x < |s|x.
Proof. Let T be a finite subset of A00 such that T ◦A00 is open (for example a set of generators of an ideal of definition of a ring of definition of A). For every n ≥1, the group T n ◦A00 is open by lemma II.3.3.5, so Xn = {x ∈Spa(A, A+) | ∀t ∈T n, |t|x ≤|s|x ̸= 0} is a rational subset of Spa(A, A+), and in particular it is open and quasi-compact. Also, as every element of T is topologically nilpotent and T is finite, for every x ∈Spa(A, A+) such that |s|x ̸= 0, we have x ∈Xn for n big enough. In particular, we have X ⊂S n≥1 Xn. But X is quasi-compact, so there exists n ≥1 such that X ⊂Xn. If we take V = T n · A00, then V is an open subgroup of A and |a|x < |s|x for every x ∈Xn ⊃X.
We prove the second statement. Let (A0, I) be a couple of definition of A. As V is open, it contains some power of I. Replacing I by this power, we may assume that I ⊂V . Then we can take for T a finite set of generators of I.
III.4 First properties of the adic spectrum III.4.1 Quotients Notation III.4.1.1. Let (A, A+) be a Huber pair, and let a be an ideal of A. The quotient Hu-ber pair (A, A+)/a = (A/a, (A/a)+) is defined by taking (A/a)+ to be the integral closure of A+/(A+ ∩a) in A/a.
100 III.4 First properties of the adic spectrum Proposition III.4.1.2. Let (A, A+) be a Huber pair, and let a be an ideal of A. We denote the canonical map (A, A+) →(A, A+)/a by ϕ. Then Spa(ϕ) induces a homeomorphism from Spa((A, A+)/a) to the closed subset Spa(A, A+) ∩supp−1(V (a)) = {x ∈Spa(A, A+) | supp(x) ⊃a}.
A closed subset of Spa(A, A+) as in the proposition is called a Zariski closed subset of Spa(A, A+). Not every closed subset of Spa(A, A+) is Zariski closed.
Proof. It is easy to see that Spa(ϕ) is injective with image Spa(A, A+)∩supp−1(V (a)). Also, if f1, . . . , fn, g are such that f1, . . . , fn generate an open ideal J of A and if f 1, . . . , f n, g are their images in A/a, then f 1, . . . , f n generate the ideal (J + a)/a of A/a, which is clearly open, and the image by Spa(ϕ) of R f1,...,fn g is R f1,...,fn g ∩supp−1(V (a)). This finishes the proof.
III.4.2 Spa and completion Definition III.4.2.1. Let (A, A+) be a Huber pair. Its completion is the pair ( b A, b A+), where b A+ is the closure of the image of A+ in b A.
By lemma III.4.2.3, the completion of a Huber pair is a Huber pair.
Corollary III.4.2.2. (Proposition 3.9 of .) Let (A, A+) be a Huber pair. Then the canonical map Spa( b A, b A+) →Spa(A, A+) is a homeomorphism, and a subset of Spa( b A, b A+) is a rational domain if and only if its image in Spa(A, A+) is a rational domain.
Proof. Let ϕ : A →b A be the canonical map. By proposition II.3.1.12(iii), ϕ induces a bijection Cont( b A) →Cont(A). It follows immediately from the definition of b A+ that ϕ induces a mor-phism of Huber pairs (A, A+) →( b A, b A+) and that Spa(ϕ) : Spa( b A, b A+) →Spa(A, A+) is a bijection. Also, as ϕ is adic, the inverse image by Spa(ϕ) of a rational domain of Spa(A, A+) is a rational domain by proposition III.2.5(iv). It remains to show that Spa(ϕ) maps rational subsets to rational subsets.
Let R be a rational subset of Spa( b A, b A+). As ϕ(A) is dense in b A, by theorem III.3.1, there exist f1, . . . , fn, g ∈A such that ϕ(f1), . . . , ϕ(fn) generate an open ideal of b A and R = R ϕ(f1), . . . , ϕ(fn) ϕ(g) .
We would be done if we knew that f1, . . . , fn generate an open ideal of A, but we don’t. On the other hand, as Spa(ϕ)(R) is a quasi-compact subset of Spa(A, A+) and |g|x ̸= 0 for every 101 III The adic spectrum x ∈Spa(ϕ)(R), we know by lemma III.3.3 that there exists f ′ 1, . . . , f ′ m ∈A generating an open ideal of A and such that |f ′ j|x < |g|x for every j ∈{1, . . . , m}. Then Spa(ϕ)(R) = R f1, . . . , fn, f ′ 1, . . . , f ′ m g .
Lemma III.4.2.3. Let A be a f-adic ring. If we have open sugroups of G and H of A and b A that correspond to each other by the bijection of lemma II.3.1.11, then G is a ring of integral elements of A if and only if H is a ring of integral elements of b A.
Proof. Let i : A →b A be the canonical map. As i(A) is dense in b A, it is easy to see that G is a subring of A if and only if H is a subring of b A. By proposition II.3.1.12(i), we have G ⊂A0 if and only H ⊂b A0.
Suppose that G is an open and integrally closed subring of A.
We want to prove that H is integrally closed in b A.
Let x ∈ b A be integral over H, and write xd + a1xd−1 + . . . + ad = 0, with d ≥1 and a1, . . . , ad ∈H. As H is an open neigh-borhood of 0 in b A, we can find x′ ∈A and a′ 1, . . . , a′ d ∈G such that x −i(x′) ∈H and (xd + a1xd−1 + . . . + ad) −(i(x′)d + i(a′ 1)i(x′)d−1 + . . . + i(a′ d)) ∈H.
But then x′d+a′ 1x′d−1+. . .+ad ∈G, so x′ ∈G as G is integrally closed, and x = (x−i(x′))+i(x′) ∈H.
Conversely, suppose that H is an open and integrally closed subring of b A. Then, if x ∈A is integral over G, then i(x) is integral over H, so i(x) ∈H, so x ∈G. Hence G is integrally closed.
III.4.3 Rational domains and localizations Notation III.4.3.1. Let (A, A+) be a Huber pair, let X = (Xi)i∈I be a family of indeterminates, and let T = (Ti)i∈I be a family of subsets of A such that Ti generates an open ideal of A for every i ∈I.
(1) Remember that A[X]T is f-adic by proposition II.3.3.6. We denote by A[X]+ T the integral closure in A[X]T of the open subring A+ [X,T]. So we get a Huber pair (A[X]T, A[X]+ T ).
(2) If A is complete and I is finite, we denote by A⟨X⟩+ T the integral closure in A⟨X⟩T of the open subring A+ ⟨X,T⟩. We get a complete Huber pair (A⟨X⟩T, A⟨X⟩+ T ).
Now suppose that I is a singleton, so T is a subset of A that generates an open ideal, and let s ∈A.
102 III.4 First properties of the adic spectrum (3) Denote by A T s + the integral closure in A T s of the A+-subalgebra generated by all the ts−1, for t ∈T (this A+-algebra is open in A T s by definition of the topology in the proof of proposition II.3.4.1). Then (A T s , A T s +) is a Huber pair.
It is also canonically isomorphic to the Huber pair (A[X]T, A[X]+ T )/(1 −sX) (see III.4.1.1).
(4) By combining (3) and definition III.4.2.1, we get a Huber pair (A⟨T s ⟩, A⟨T s ⟩+).
Corollary III.4.3.2. Let (A, A+) be a Huber pair, and let f1, . . . , fn, g ∈A such that f1, . . . , fn generate an open ideal of A. Let ϕ : (A, A+) →(A f1,...,fn g , A f1,...,fn g + ) be the canonical map.
Then Spa(ϕ) induces a homeomorphism Spa(A f1,...,fn g , A f1,...,fn g + ) ∼ →R f1,...,fn g , and a subset R of Spa(A f1,...,fn g , A f1,...,fn g + ) is a rational domain if and only if Spa(ϕ)(R) is a rational domain (in Spa(A, A+)).
Proof. We write f = Spa(ϕ), (B, B+) = (A f1,...,fn g , A f1,...,fn g + ) and U = R f1,...,fn g .
As ϕ is spectral, the inverse image by f of a rational domain of Spa(A, A+) is a rational domain of Spa(B, B+) (proposition III.2.5(iv)). So it suffices to prove that f sends rational domain to rational domains and induces a bijection from Spa(B, B+) to U.
As the underlying ring of B is just A[g−1], if we have two valuations on B that coincide on the image of A, then they coincide on B. So f is injective.
Let x ∈Spa(B, B+), and let y = f(x). Then |g|x = |g|y ̸= 0 because g is invertible in B. For every i ∈{1, . . . , n}, we have fig−1 ∈B+, so |fig−1|x ≤1, and |fi|y = |fi|x ≤|g|x = |g|y ̸= 0.
So y ∈U.
Let y ∈U. Then |g|y ̸= 0, so |.|y extends to a valuation on A[g−1], hence gives a point x of Spv(B); note that Γx = Γy. We want to show that x ∈Spa(B, B+). Let D be the subring of B generated by f1g−1, . . . , fng−1; as y ∈U, we have |b|x ≤1 for every b ∈D. Let γ ∈Γx. Then V := {a ∈A | |a|y < γ} is an open subgroup of A, and V · D ⊂{b ∈B | |b|x < γ}; as V · D is open by definition of the topology on B (see the proof of proposition II.3.4.1), this shows that x is continuous. Also, B+ is the integral closure of A+ · D, and |b|x ≤1 for every b ∈A+ · D, so x ∈Spa(B, B+) (see proposition III.1.4(ii)).
It remains to show that f sends rational domains of Spa(B, B+) to rational domains of Spa(A, A+). Let t1, . . . , tm, s ∈B such that t1, . . . , tm generate an open ideal of B, and let E = R t1,...,tm s ⊂Spa(B, B+). After multiplying t1, . . . , tm, s by a high enough power of g (which does not affect the condition on (t1, . . . , tm) because g is a unit in B), we may assume that t1, . . . , tm, s ∈A. Of course, we don’t know that t1, . . . , tm generate an open ideal, because it has no reason to be true. But, as g(E) ⊂Spa(A, A+) is quasi-compact and |s|x ̸= 0 for every x ∈g(E), we can find by lemma III.3.3 elements t′ 1, . . . , t′ p ∈A generating an open ideal and 103 III The adic spectrum such that |t′ j|x < |s|x for every j ∈{1, . . . , p}. Then g(E) = R t1, . . . , tm, t′ 1, . . . , t′ p s , so g(E) is a rational domain of Spa(A, A+).
Using corollary III.4.2.2, we also get : Corollary III.4.3.3. We can replace (A f1,...,fn g , A f1,...,fn g + ) with (A⟨f1,...,fn g ⟩, A⟨f1,...,fn g ⟩+) in the statement of corollary III.4.3.2.
III.4.4 Non-emptiness In this section, we give a crierion for Spa(A, A+) to be non-empty, and some consequences.
Proposition III.4.4.1. Let (A, A+) be a Huber pair.
(i) The following are equivalent : (a) Spa(A, A+) = ∅; (b) Cont(A) = ∅; (c) A/{0} = {0}.
(ii) The following are equivalent : (a) Spa(A, A+)an = ∅; (b) Cont(A)an = ∅; (c) A/{0} has the discrete topology.
Proof. Note that the support of a continuous valuation x is always a closed prime ideal of A (because it is the intersection of the open and closed subgroups {a ∈A | |a|x < γ}, for γ ∈Γx).
In particular, for every x ∈Cont(A), we have {0} ⊂supp(x).
(ii) If (c) holds, then {0} is open, so supp(x) is open for every x ∈Cont(A), and so (b) holds. Also, Spa(A, A+)an is dense in Cont(A)an by proposition III.1.5(i), so (a) and (b) are equivalent.
Suppose that (b) holds. We want to prove (c). Let (A0, I) be a couple of definition of A.
We claim that, if ℘⊂q are prime ideals of A0 and I ⊂q, then I ⊂℘. Indeed, assume that I ̸⊂℘. Let x ∈Spv(A0) such that supp(x) = ℘and that Rx dominates the local subring 104 III.4 First properties of the adic spectrum (A0/℘)q/℘of K(x) = Frac(A0,x/℘). Let r : Spv(A0) →Spv(A0, I) be the retraction of definition I.4.1.6. Then r(x) ∈Spv(A0, I) and |a|r(x) < 1 for every a ∈q ⊃I, so r(x) ∈Cont(A0) by theorem II.2.2.1. As I ̸⊂supp(x), we have I ̸⊂supp(r(x)) by theorem I.4.2.4(iv), so supp(r(x)) is not open, which means that r(x) is analytic. By lemma III.2.6(iii), x extends to an analytic point y of Cont(A), which contradicts the assumption that Cont(A)an = ∅.
Now we prove that (c) holds. Let S = 1 + I, let B = S−1A0 and let ϕ : A0 →B be the canonical map. Then ϕ(I) is contained in the Jacobson radical of B, so, if ℘∈Spec(B), then we can find q ⊃℘in Spec(B) such that ϕ(I) ⊂q (just take q to be a maximal ideal containing ℘). By the claim, this implies that every prime ideal of B contains ϕ(I), i.e.
that ϕ(I) is contained in the nilradical of B. As I is finitely generated, there exists n ≥1 such that ϕ(I)n = {0}. So there exists a ∈I such that (1 + a)In = {0} (in A0 this time).
This implies that In ⊂In+1, hence that In = In+r for every r ≥0. So {0} = In and the topology on A/{0} is discrete.
(i) We again have that (a) and (b) are equivalent because Spa(A, A+) is dense in Cont(A) (proposition III.1.5). Also, (c) clearly implies (b). Assume that (b) holds. Then, by (ii), the topology on A/{0} is discrete. If {0} ̸= A, then we can find a prime ideal ℘of A containing {0}, and then ℘is open and the trivial valuation with support ℘is an element of Cont(A), contradicting (b). So A = {0}.
Corollary III.4.4.2. Let (A, A+) be a complete Huber pair. If Spa(A, A+)an = ∅, then A is a discrete ring.
Corollary III.4.4.3. Let (A, A+) be a complete Huber pair, and let T be a subset of A. Then the following are equivalent : (a) The ideal generated by T is A.
(b) For every x ∈Spa(A, A+), there exists t ∈T such that |t|x ̸= 0.
If these conditions are satisfied and T is finite, then (R T t )t∈T is an open covering of Spa(A, A+).
Proof. If (a) holds, we can write 1 = a1t1 + . . . + antn with a1, . . . , an ∈A and t1, . . . , tn ∈T.
For every x ∈Spa(A, A+), we have 1 = |1|x ≤max1≤i≤n |ai|x|ti|x, so there exists i ∈{1, . . . , n} such that |ti|x ̸= 0.
Suppose that (a) does not holds, and let m be a maximal ideal of A such that T ⊂m. By lemma III.4.4.5, m is a closed ideal of A, hence A/m is Hausdorff, so Spa((A, A+)/m) ̸= ∅ by proposition III.4.4.1(i). As Spa((A, A+)/m) ≃Spa(A, A+) ∩supp(V (m)) by proposition III.4.1.2, there exists x ∈Spa(A, A+) such that supp(x) = m. As T ⊂m, we have |t|x = 0 for every t ∈T. So (b) does not hold.
105 III The adic spectrum We prove the last statement.
Let x ∈ Spa(A, A+).
Choose t0 ∈ T such that |t0|x = maxt∈T |t|x. Then |t0|x ̸= 0 by condition (b), so x ∈R T t0 .
Corollary III.4.4.4. Let (A, A+) be a Huber pair, and let f ∈A.
(i) We have f ∈A+ if and only if |f|x ≤1 for every x ∈Spa(A, A+).
(ii) If A is complete, we have f ∈A× if and only if |f|x ̸= 0 for every x ∈Spa(A, A+).
(iii) If A is a Tate ring, then f is topologically nilpotent if and only if |f|n x →0 as n →+∞1 for every x ∈Spa(A, A+).
Proof. Point (i) is just proposition III.1.4(ii), and point (ii) is corollary III.4.4.3 applied to T = {f}.
We prove (iii). Assume that f ∈A00, and let x ∈Spa(A, A+). Let γ ∈Γx. As 0 is a limit of (f n)n≥0, there exists n ∈N such that, for every m ≥n, f m is in the open neighborhood {a ∈A | |a|x < γ} of 0. Conversely, suppose that |f|n x →0 for every x ∈Spa(A, A+). Let ϖ ∈A be a topologically nilpotent unit. We have Spa(A, A+) = S n≥0 R fn,ϖ ϖ by hypothesis.
As Spa(A, A+) is quasi-compact, there exists n ∈N such that Spa(A, A+) = R fn,ϖ ϖ . This means that |f n/ϖ|x ≤1 for every x ∈Spa(A, A+), hence f n ∈ϖA+ by (i). As A+ ⊂A0, we get that f n = ϖa for some power-bounded a ∈A, and so f is topologically nilpotent.
Lemma III.4.4.5. Let A be a complete f-adic ring. Then A× is open in A and every maximal ideal of A is closed.
Proof. For every a ∈A00, we have 1 −a ∈A× (because P n≥0 an is an inverse of a, see Chapitre III §2 No13 lemma 3). So 1 + A00 ⊂A×. As A00 is open, this implies that A× is open in A (if a ∈A×, then multiplication by a is a homeomorphism of A, so a(1 + A00) is an open neighborhood of a).
Let m be a maximal ideal of A. Then m is contained in the closed subset A−A×, so its closure is also contained in A −A×, and in particular it does not contains 1. But the closure of m is an ideal of A and m is maximal, so m is equal to its closure.
Example III.4.4.6. Let k be a non-Archimedean field whose topology is given by the rank 1 valuation |.|, and let (A, A+) = (k[X], k0[X]), where k[X] = k[X]{1}. Let ϖ ∈k such that 0 < |ϖ| < 1. Then f = 1 + ϖX ∈A satisfies |f|x ̸= 0 for every x ∈Spa(A, A+) (see section III.5.2), but f ̸∈A×. So some hypothesis is necessary in corollary III.4.4.4(ii). (We can get away with less than completeness, see proposition 7.3.10(6).) 1That is, for every γ ∈Γx, there exists n ∈N such that |f|m x < γ for m ≥n.
106 III.5 Examples III.5 Examples III.5.1 Completed residue fields and adic Points Definition III.5.1.1. Let (A, A+) be a Huber pair and let x ∈Spa(A, A+). Remember that we denote by K(x) the fraction field of A/ supp(x). If x is not analytic, we put the discrete topology on K(x) and we set κ(x) = K(x) and K(x)+ = κ(x)+ = Rx. If x is analytic, we put the topology defined by the valuation |.|x on K(x), we denote by κ(x) the completion of K(x) and by κ(x)+ the completion of K(x)+ := Rx.
We call κ(x) the completed residue field of Spa(A, A+) at x.
We also denote by |.|x the valuation induced by |.|x on K(x) (resp. κ(x)). It is a continuous valuation, with valuation subring K(x)+ (resp. κ(x)+), and it defines the topology of K(x) and κ(x) if x is analytic.
Note that (κ(x), κ(x)+) is a Huber pair, and that κ(x)+ is a valuation subring of κ(x).
Proposition III.5.1.2. Let x ∈Spa(A, A+). Then : (i) x is analytic if and only if κ(x) is microbial.
(iii) The map Spa(κ(x), κ(x)+) → Spa(A, A+) (coming from the canonical map (A, A+) →(κ(x), κ(x)+)) induces a homeomorphism between Spa(κ(x), κ(x)+) and the set of vertical generizations of x.
Proof.
(i) If x is not analytic, then κ(x) is discrete, so is is not microbial. Conversely, suppose that x is analytic. Then, by corollary II.2.4.8, Rx has a prime ideal of height 1, so K(x) is microbial, and so is its completion κ(x).
(ii) Suppose that x is analytic.
Then, by corollary III.4.2.2, the map Spa(κ(x), κ(x)+) →Spa(K(x), Rx) is a homeomorphism.
So, in both cases, we have to show that the map Spa(K(x), Rx) →Spa(A, A+) induces a homeomorphism from Spa(K(x), Rx) to the set of vertical generizations of x in Spa(A, A+), where we put the valuation topology on K(x) to define Spa(K(x), Rx). We already know that the set of valuations rings of R of K(x) such that Rx ⊂R (i.e. RZ(K(x), Rx)) is homeomorphic to the set of vertical generizations of x in Spv(A), and every vertical generization of x is au-tomatically ≤1 on A+, so we just need to check that, if R ∈RZ(K(x), Rx) corresponds to y, then |.|R is continuous if and only if |.|y is. As |.|R and |.|y have the same valuation group and as vertical generizations with nontrivial valuation group of a continuous valua-tion are automatically continuous (proposition II.2.3.1(ii)), the only nontrivial case is the case R = K(x). In that case, |.|y is not continuous because {a ∈A | |a|y < 1} = supp(x) is not open in A, and neither is |.|R because {a ∈K(x) | |a|R < 1} = {0} is not open in K(x).
107 III The adic spectrum If x is not analytic, then κ(x) has the discrete topology, so Spa(κ(x), κ(x)+) = RZ(K(x), Rx).
On the other hand, every vertical generization of x is continuous because it has open kernel. So we also get the result.
Here is a good reason to use the completed residue field κ(x) instead of K(x).
Proposition III.5.1.3. Let U := R T s be a rational domain of X := Spa(A, A+), and let f : Y := Spa(A⟨T s ⟩, A⟨T s ⟩+) ∼ →U be the homeomorphism of corollary III.4.3.2. We fix a point y ∈Y and let x = f(y). The canonical morphism ϕ : (A, A+) →(A⟨T s ⟩, A⟨T s ⟩+) induces a morphism (K(x), K(x)+) → (K(y), K(y)+), and this gives an isomorphism (κ(x), κ(x)+) ∼ →(κ(y), κ(y)+) on the completions of these Huber pairs.
Note that the inclusion K(x) ⊂K(y) is strict in general.
Proof. We have |.|x = |.|y ◦ϕ, so ϕ−1(supp(y)) = supp(x), which gives the first statement, and also the fact that K(x)+ is the inverse image of K(y)+ in K(x). To prove the second statement, we must show that the image of K(x) in K(y) is dense.
First note that, as the canonical map A →A⟨T s ⟩is adic, x is analytic if and only if y is analytic (see proposition III.2.5).
As |s|x = |s|y ̸= 0, K(x) is also the fraction field of A[s−1]/(A[s−1] ∩supp(y)). Also, we know that A[s−1] = A T s is dense in A′ := A⟨T s ⟩(by definition of the second ring), and that the valuation topology on A induced by |.|y is weaker than the original topology of A′; so A[s−1] is dense in A′ for the valuation topology, and this implies that K(x) is dense in K(y) is x and y are analytic.
If x and y are not analytic, then the open subgroup supp(y) of A′ is the completion of supp(y)∩A[s−1], and the morphism of discrete rings A[s−1]/(A[s−1]∩supp(y)) →A′/ supp(y) is an isomorphism. So the morphism K(x) →K(y) is an isomorphism.
Definition III.5.1.4. An affinoid field is a pair (k, k+), where k is a complete non-Archimedean field and k+ ⊂k0 is an open valuation subring of k.
Example III.5.1.5. If (A, A+) is a Huber pair and x ∈Spa(A, A+)an, then (κ(x), κ(x)+) is an affinoid field.
Remark III.5.1.6. Let (k, k+) be an affinoid field. Then k+ is a ring of integral elements and a ring of definition of k. In particular, (k, k+) is a Huber pair.
Indeed, the open subring k+ of k is also integrally closed because it is a valuation subring (see proposition I.1.2.1(i)). So it is a ring of integral elements. On the other hand, k+ is open and 108 III.5 Examples bounded in k (it is bounded because it is contained in k0, and k0 is bounded because the topology of k is defined by a rank 1 valuation), so it is a ring of definition by lemma II.1.1.7.
Note also that the topology defined by the valuation corresponding to k+ is equal to the original topology on k. Indeed, the maximal ideal k00 is a height 1 prime ideal in k+, so we can apply theorem I.1.5.4.
Definition III.5.1.7. An adic Point is the adic spectrum of an affinoid field.
Note that an adic Point is not a point in general. In fact : Lemma III.5.1.8. Let (k, k+) be an affinoid field. Then Spa(k, k+) is totally ordered by special-ization. It has a unique closed point (the minimal element) corresponding to k+, and a unique generic point (the maximal element) corresponding to k0.
Proof. By remark III.5.1.6, any valuation subring R ⊂k0 of k defines a continuous valuation on k, this valuation is in Spa(k, k+) if and only if k+ ⊂R. So Spa(k, k+) is in order-reversing bijection with the set of valuation subrings R of k such that k+ ⊂R ⊂k0 (a locally closed subset of RZ(k)). By theorem I.1.4.2, it is also in order-preserving bijection with the set of prime ideals ℘of k+ such that ℘⊂k00. (Note that k00 is the prime ideal of k+ corresponding to the valuation ring k0, see theorem I.1.5.4.) As the set of ideals of k+ is totally ordered by inclusion, this shows the first statement. The second statement is clear.
Proposition III.5.1.9. Let (A, A+) be a Huber pair. Consider the following sets : (a) Σ is the set of maps of Huber pairs ϕ : (A, A+) →(k, k+), where (k, k+) is an affi-noid field and Frac(ϕ(A)) is dense in k, modulo the following equivalence relation : ϕ1 : (A, A+) →(k1, k+ 1 ) and ϕ2 : (A, A+) →(k2, k+ 2 ) are equivalent if there exists an isomorphism of Huber pairs u : (k1, k+ 1 ) ∼ →(k2, k+ 2 ) such that u ◦ϕ1 = ϕ2.
(b) Σ′ is the set of equivalence classes of continuous valuations x ∈Spa(A, A+) such that κ(x) is microbial.
Then the map Σ′ →Σ sending x to the canonical map (A, A+) →(κ(x), κ(x)+) and the map Σ →Spa(A, A+)an sending ϕ : (A, A+) →(k, k+) to the image of the closed point of Spa(k, k+) by Spa(ϕ) are both well-defined and bijective.
Note that we have a similar statement for an affine scheme Spec(A), where we use actual points (i.e. Spec(k)) and we get all the points of Spec(A).
Proof. If x ∈Spa(A, A+) and κ(x) is microbial, then (κ(x), κ(x)+) is an affinoid field; so the first map is well-defined. We show that it is a bijection by constructing an inverse. Let ϕ : (A, A+) →(k, k+) be an element of Σ.
Then composing the valuation on k corre-sponding to k+ with ϕ gives a continuous valuation x on A such that supp(x) = Ker(ϕ) and 109 III The adic spectrum A+/ supp(x) ⊂Rx; note that x is the image of the closed point of Spa(k, k+). We get a map K(x) →k such that Rx = K(x) ∩k+, and that has dense image by assumption, hence induces an isomorphism (κ(x), κ(x)+) ∼ →(k, k+). It is easy to check that this defined an inverse of the map Σ′ →Σ.
Now we consider the second map. By the first paragraph, we just need to show that an element x ∈Spa(A, A+) is analytic if and only if κ(x) is microbial; but this is proposition III.5.1.2(i).
III.5.2 The closed unit ball Let k be a complete and algebraically closed non-Archimedean field, and denote its rank 1 val-uation by |.| : k →R≥0. Remember that k00 is the maximal ideal of k0 (this is true for any non-Archimedean field). We denote the residue field k0/k00 by κ; it is also algebraically closed.
Let A = k⟨t⟩(see II.3.3.9), and let A+ = A0 = k0⟨t⟩. The points of X := Spa(A, A+) are usually divided into 5 types : (1) Classical points : Let x ∈k0 (i.e. a point of the closed unit disk in k). Then the map A →R≥0, f 7− →|f(x)| is an element of Spa(A, A+), and its support is the maximal ideal (t −x) of A. We will often denote this point by x.
Note that every maximal ideal of A is of the form (t −x) for x ∈k0 (cf. section 2.2 corollary 13), so classical points are in bijection with the maximal spectrum of A.
(2),(3) Let r ∈[0, 1] and let x ∈k0. Let xr be the point of Spv(A) corresponding to the valuation f = X n≥0 an(t −x)n 7− →sup n≥0 |an|rn = sup y∈k0, |y−x|≤r |f(y)|.
Then xr ∈Spa(A, A+), and it only depends on D(x, r) := {y ∈k0 | |x −y| ≤r}. If r = 0 then xr = x is a classical point, and if r = 1 then xr is independent of x and is called the Gauss norm.
If x ∈k0 is fixed, then the map [0, 1] →Spa(A, A+), r 7− →xr is continuous precisely at the points of [0, 1] −|k×|.
If r ∈|k×|, then we say that the pointn xr is of type (2); otherwise, we say that it is of type (3).
(4) Let D1 ⊃D2 ⊃. . . be an infinite sequence of closed disks in k0 such that T n≥1 Dn = ∅.
2 Then the valuation f 7− →inf n≥1 sup x∈Dn |f(x)| 2Such sequences exist if and only if k is not spherically complete. For example, Cℓ= b Qℓis not spherically complete.
110 III.5 Examples defines a rank 1 point of X, which is not of type (1), (2) or (3).
(5) Rank 2 valuations : Let x ∈k0 and r ∈(0, 1]. We denote by Γ0 × γZ, with the unique order such that r′ < γ < r for every r′ < r. (With the notation of section I.3.5.1, this is the group Γ and γ = r−.) Denote by x<r the point of Spv(A) corresponding to the valuation f = X n≥0 an(t −x)n 7− →max n≥0 |an|γn ∈Γ<r ∪{0}.
Then x<r is a point of Spa(A, A+), and it only depends on D0(x, r) := {y ∈k0 | |x −y| < r}.
Similarly, if r ∈(0, 1), let Γ>r the abelian group R>0 × γZ, with the unique order such that r′ > γ > r for every r′ > r. Denote by x>r the point of Spv(A) corresponding to the valuation f = X n≥0 an(t −x)n 7− →max n≥0 |an|γn ∈Γ>r ∪{0}.
Then x>r is a point of Spa(A, A+), and it only depends on D(x, r). (So x>r = x′ >r if xr = x′ r.) If r ̸∈|k×|, then xr = xr. But if r ∈|k×|, we get two new points of Spa(A, A+), which are called points of type (5).
If we think of Spa(A, A+) as a tree, then points of (1) are end points, points of type (2) and (3) are points on the limbs of the tree (and type (2) points are exactly the branching points), points of type (4) are “dead ends”. Points of type (5) are in the closure of points of type (2) (so they are less easy to visualize).
Points of type (1), (3), (4) and (5) are closed. If x ∈k0 and r ∈|k|× ∩(0, 1], then the closure of the corresponding point of type (2) xr is {xr, xr} (where x>r appears only if r < 1).
Remark III.5.2.1. We could also have defined a point x>1 of Spv(A), for x ∈k0. This is a continuous valuation on A, but it is not a point of Spa(A, A+), because it is not ≤1 on A+. In fact, if A′+ is the integral closure of k0 + A00 in A, then Spa(A, A′+) = Spa(A, A+) ∪{x>1}.
Remark III.5.2.2. We get the Berkovich space of A by identifying the points of type (5) xr with xr. Note that this is a Hausdorff space. In general, if k is a complete non-Archimedean field, the Berkovich space of an affinoid k-algebra A is the maximal Hausdorff quotient of Spa(A, A0).
III.5.3 Formal schemes Let A be an adic ring with a finitely generated ideal of definition I. Let X = Spa(A, A) = {x ∈Cont(A) | ∀a ∈A, |a|x ≤1}.
111 III The adic spectrum Remember that a valuation is called trivial if it has rank 0, i.e. if its value group is the trivial group. A trivial valuation is continuous if and only if it has open support, so the subset Xtriv of trivial valuation is in bijection with the set of open prime ideal ideals of A, i.e. Spf(A). It is easy to see that this is a homeomorphism.
We also have a retraction Spa(A, A) →Spa(A, A)triv given by x 7− →x|cΓx, and it is a spectral map. If OX is the structure presheaf of X to be defined shortly, then we have an isomorphism of locally ringed spaces Spf(A) ≃(Xtriv, r∗OX).
This will give a fully faithful functor from the category of Noetherian formal affine schemes to the category of adic spaces.
III.6 The structure presheaf In this section, (A, A+) is a Huber pair.
III.6.1 Universal property of rational domains Proposition III.6.1.1. (Lemma 8.1 and proposition 8.2 of .) Let T be a finite subset of A such that the ideal T · A is open, let s ∈A, and let U = R T s ⊂Spa(A, A+).
(i) The canonical map ι : (A, A+) →(A⟨T s ⟩, A⟨T s ⟩+) induces a spectral homeomorphism Spa(A⟨T s ⟩, A⟨T s ⟩+) ∼ →U sending rational domains to rational domains.
(ii) For every continuous morphism ϕ : (A, A+) →(B, B+) to a complete Huber pair such that Spa ϕ : Spa(B, B+) →Spa(A, A+) factors through U, there is a unique continuous ring morphism ψ : A⟨T s ⟩→B such that ψ ◦ι = ϕ, and we have ψ(A⟨T s ⟩+) ⊂B+.
(iii) Let T ′ be another finite subset of A such that the ideal T ′ · A is open, let s′ ∈A, and let U ′ = R T ′ s′ ⊂Spa(A, A+). If U ′ ⊂U, then there exists a unique continuous ring morphism ρ : A⟨T s ⟩→A⟨T ′ s′ ⟩such that ι′ = ρ ◦ι, where ι′ : A →A⟨T ′ s′ ⟩is the canonical map.
Proof.
(i) This is corollary III.4.3.3.
(ii) The assumption on Spa(ϕ) means that, for every x ∈Spa(B, B+) and every t ∈T, we have |ϕ(t)|x ≤|ϕ(s)|x ̸= 0. By points (ii) and (i) of corollary III.4.4.4, this implies that ϕ(s) ∈B×, and then that ϕ(t)ϕ(s)−1 ∈B+ for every t ∈T. In particular, ϕ(t)ϕ(s)−1 is power-bounded for every t ∈T, so the existence and uniqueness of ψ follow from the universal property of A⟨T s ⟩(proposition II.3.4.6), and the fact that ψ preserves the rings of integral elements follows immediately from the fact that ψ(t)ψ(s)−1 ∈B+ for every t ∈T.
112 III.6 The structure presheaf (iii) This follows immediately from (i) and (ii).
Corollary III.6.1.2. Let T, T ′ ⊂A be finite subsets such that the ideals T · A and T ′ · A are open, and let s, s′ ∈A. If R T s = R T ′ s′ , then there is a canonical isomorphism of Huber pairs (A⟨T s ⟩, A⟨T s ⟩+) ∼ →(A⟨T ′ s′ ⟩, A⟨T ′ s′ ⟩+) making the following diagram commute : A / A⟨T s ⟩ ≀ A⟨T ′ s′ ⟩ In other words, the rational domain R T s uniquely determines the Huber pair (A⟨T s ⟩, A⟨T s ⟩+) as a Huber pair over (A, A+).
III.6.2 Definition of the structure presheaf Definition III.6.2.1. Let (A, A+) be a Huber pair, and let X = Spa(A, X+). The structure presheaf OX on X is the presheaf with values in the category of complete topological rings and continuous ring morphisms defined by the following formulas : - if U = R T s is a rational domain of X, then OX(U) = A⟨T s ⟩; - if U is an arbitrary open subset of X, then OX(U) = lim ← − U′⊂U OX(U ′), where U ′ ranges over rational domains of X contained in U and the transition maps are given by proposition III.6.1.1(iii), and where we put the projective limit topology on OX(U).
Note that the definition of OX(U) for U a rational domain makes sense because U determines the topological A-algebra A⟨T s ⟩by corollary III.6.1.2. Also, the presheaf does take its value in the category of complete topological rings, because a projective limit of complete topological rings is complete by Chapitre II §3 No9 corollaires 1 et 2 de la proposition 18.
Remark III.6.2.2. In particular, we have OX(X) = b A.
Definition III.6.2.3. We use the notation of definition III.6.2.1. We define a subpresheaf O+ X of OX by the formula O+ X(U) = {f ∈OX(U) | ∀x ∈U, |f|x ≤1}, for every open subset U of X.
113 III The adic spectrum This is also a presheaf of complete topological rings.
Lemma III.6.2.4. If U = R T s is a rational domain, then (OX(U), O+ X(U)) = (A⟨T s ⟩, A⟨T s ⟩+).
Proof. The formula for OX(U) is just its definition.
For O+ X(U), we use the fact that U = Spa(A⟨T s ⟩, A⟨T s ⟩+) (corollary III.4.3.2) and proposition III.1.4(ii).
Let ϕ : (A, A+) → (B, B+) be a morphism of Huber pairs, and let f = Spa(ϕ) : Y := Spa(B, B+) →X := Spa(A, A+). If U ⊂X and V ⊂Y are ratio-nal domains such that f(V ) ⊂U, then proposition III.6.1.1 (and III.4.3.2) gives a continuous ring morphism OX(U) →OY (V ). So, if U ⊂X is an open subset, we get a morphism of rings f ♭ U : OX(U) →OY (f −1(U)) = f∗OX(U), and this is clearly a morphism of presheaves. It also follows immediately from the definitions that f ♭sends O+ X to f∗O+ Y .
Lemma III.6.2.5. Let T ⊂A is a finite subset generating an open ideal, s ∈A, and let ϕ : (A, A+) →(A⟨T s ⟩, A⟨T s ⟩+) be the obvious morphism. We get as before a continuous spec-tral map f : U := Spa(A⟨T s ⟩, A⟨T s ⟩+) →X := Spa(A, A+) and a morphism of presheaves f ♭: OX →f∗OU.
Then, for every open subset V of X such that V ⊂f(U), the map f ♭ V : OX(V ) →OU(f −1(V )) is an isomorphism.
Proof. We know that f is a homeomorphism from U to R T s by corollary III.4.3.2, and that an open subset V ⊂f(U) of X is a rational domain if and only if f −1(V ) is a rational domain of U. Moreover, if V is a rational domain, it is easy to see that f ♭ V : OX(V ) →OU(f −1(X)) is an isomorphism (using the explicit formulas for these rings). The lemma follows immediately from this.
III.6.3 Stalks Let (A, A+) be a Huber pair, and let X = Spa(A, A+). If x ∈X, we consider the stalk OX,x = lim − → U∋x open OX(U) = lim − → U∋x rational OX(U) (the equality follows from the fact that rational domains are a base of the topology of X) as an abstract ring without a topology. For every rational domain U ∋x of X, the valuation |.|x extends to a unique continuous valuation on OX(U) (by corollary III.4.3.2). So we get a valuation |.|x : OX,x →Γx ∪{0}.
114 III.6 The structure presheaf Proposition III.6.3.1.
(i) The ring OX,x is local, with maximal ideal mx := {f ∈OX,x | |f|x = 0}.
We denote by k(x) the residue field of OX,x, and we still write |.|x for the valuation induced on k(x) by |.|x. Let k(x)+ be the valuation subring of k(x).
(ii) The stalk O+ X,x of O+ X at x is given by the formula O+ X,x = {f ∈OX,x | |f|x ≤1}.
In other words, O+ X,x is the inverse image of k(x)+ in OX,x.
(iii) The ring O+ X,x is also local, with maximal ideal m+ x := {f ∈OX,x | |f|x < 1}. In particular, we have a canonical isomorphism between the residue fields of O+ X,x and k(x)+.
(iv) Let u : A → OX,x be the morphism coming from the restriction morphisms A →b A = OX(X) →OX(U), for U ∋x an open subset of X. Then we have |.|x◦u = |.|x, so u gives a morphism (K(x), K(x)+) →(k(x), k(x)+), which induces an isomorphism on the completions. In other words, the completion of (k(x), k(x)+) is canonically iso-morphic to (κ(x), κ(x)+).
(v) If ϕ : (A, A+) → (B, B+) is a morphism of Huber pair and y is a point of Y := Spa(B, B+) such that Spa(ϕ)(y) = x, then the morphism of rings Spa(ϕ)♭ x : OX,x →OY,y induced by Spa(ϕ)♭is such that |.|x ◦Spa(ϕ)♭ x = |.|y. In par-ticular, Spa(ϕ)♭ x is a morphism of local rings, it sends O+ X,x to O+ Y,y and also induces a morphism of local rings O+ X,x →O+ Y,y.
Proof.
(i) It is clear that mx is an ideal of OX,x, so it suffices to show that every element of OX,x −mx is a unit. Let U ∋x be an open subset of X and let f ∈OX(U) such that |f|x ̸= 0. We want to show that the image of f in OX,x is invertible. After shrinking U, we may assume that U is a rational domain of X. Then we have U = Spa(OX(U), OX(U)+) and x defines a continuous valuation on OX(U). As |f|x ̸= 0, there exists by lemma III.3.3 a finite subset T of OX(U) such that the ideal T · OX(U) is open and that |t|x < |f|x for every t ∈T. Let V be the rational domain R T f of Spa(OX(U), OX(U)+). Then x ∈V , V is open in X, and f is invertible in OX(V ) = OU(V ).
(ii) We have an injective morphism O+ X,x → OX,x induced by the injections OX(U)+ →OX(U), and it is obvious that its image is contained in {f ∈O+ X,x | |f|x ≤1} (because, for every open subset U of X, OX(U)+ = {f ∈OX(U) | ∀y ∈U, |f|y ≤1}).
Conversely, let U ∋X be an open subset of X, and let f ∈OX(U) such that |f|x ≤1.
We want to show that the image of f in OX,x is in O+ X,x. By lemma III.6.3.2, the set V := {y ∈U | |f|y ≤1} is an open subset of X, and we obviously have x ∈X and f|V ∈OX(V )+; this implies the desired result.
(iii) As m+ x is clearly an ideal of O+ X,x, it suffices to show that every element of O+ X,x −m+ x is 115 III The adic spectrum invertible. Let f ∈O+ X,x, and suppose that f ̸∈mx, i.e. that |f|x = 1. Then f ∈O× X,x by (i), and |f −1|x = 1, so f −1 ∈O+ X,x.
(iv) The fact that |.|x ◦u = |.|x follows immediately from the definition of the valuation |.|x on OX,x. By (i), we have k(x) = lim − → U∋x OX(U)/{f ∈OX(U) | |f|x = 0} and k(x)+ = lim − → U∋x OX(U)+/{f ∈OX(U)+ | |f|x = 0}, where U runs through all rational domains of X containing x. By proposition III.5.1.3, if U ′ ⊂U are two rational domains of X containing x, then the restriction maps OX(U)/{f ∈OX(U) | |f|x = 0} →OX(U ′)/{f ∈OX(U ′) | |f|x = 0} and OX(U)+/{f ∈OX(U)+ | |f|x = 0} →OX(U ′)+/{f ∈OX(U ′)+ | |f|x = 0} have dense image. So the image of K(x) (resp. K(x)+) in k(x) (resp. k(x)+) is dense, which implies the result.
(v) The fact that |.|x ◦Spa(ϕ)♭ x = |.|y follows immediately from the definitions, and the other statements follow from this.
Lemma III.6.3.2. (Remark 8.12 of .) Let U be an open subset of X := Spa(A, A+) and f, g ∈OX(U). Then V := {x ∈U | |f|x ≤|g|x ̸= 0} is an open subset of X.
Proof. We know that U is a union of rational domains of X, and it suffices to show that the intersection of V with each of these rational domains is open. So we may assume that U is a rational domain, U = R T s = Spa(A⟨T s ⟩, A⟨T s ⟩+). It also suffices to show that V is open in U, so we may assume that U = X, i.e. f, g ∈A. Then V is open by definition of the topology on Spa(A, A+) as the topology induced by that of Spv(A). 3 If A is a Tate ring, then we can show that the categories of finite ´ etale covers of O+ X,x and k(x)+ are equivalent. First we need a definition.
Definition III.6.3.3. (See [25, Definition 09XE].) Let R be a ring and I be an ideal of R. We say that the pair (R, I) is henselian (or I-adically henselian) if : 3Note that V is not a rational domain in general, because we did not assume that f generates an open ideal of A.
116 III.6 The structure presheaf (a) I is contained in the Jacobson radical of A; (b) for any monic polynomial f ∈A[X] and any factorization f = g0h0 in A/I[X], where f is the image of f in A/I[X], if g0 and h0 are monic and generate the unit ideal of A/I[X], then there exists a factorization f = gh in A[X] with g, h monic and such that g0 = g mod I and h0 = g mod I.
If R is local and I is its maximal ideal, we also say that R is henselian.
Theorem III.6.3.4. ([25, Lemma 0ALJ].) Let R be a ring and I be an ideal of R. If R is I-adically complete, then the pair (R, I) is henselian.
Theorem III.6.3.5. ([25, Lemma 09XI].) Let R be a ring and I be an ideal of R. The following are equivalent : (i) The pair (R, I) is henselian.
(ii) For every ´ etale map of rings R →R′ and every map of R-algebras σ : R′ →R/I, there exists an map of R-algebras R′ →R lifting σ.
R′ σ !
R O / R/I (iii) For any finite R-algebra S, the map S →S/IS induces a bijection on idempotent ele-ments.
(iv) For any integral R-algebra S, the map S →S/IS induces a bijection on idempotent elements.
(v) I is contained in the Jacobson radical of R and every monic polynomial f ∈R[X] of the form f(X) = Xn(X −1) + anXn + . . . + a1X + a0, with a0, . . . , an ∈I and n ≥1, has a root in 1 + I.
Moreover, if these conditions hold, then the root in point (v) is unique.
Theorem III.6.3.6. ([25, Lemma 09ZL].) Let (R, I) be a henselian pair.
Then the functor S 7− →S/IS induces an equivalence between the category of finite ´ etale R-algebras and the category of finite ´ etale R/I-algebras.
Proposition III.6.3.7. (See proposition 7.5.5 of .) We use the notation of proposition III.6.3.1, and we suppose that A is a Tate ring. Let ϖ ∈A be a topologically nilpotent element.
(i) The ring O+ X,x is ϖ-adically henselian, and the map O+ X,x →k(x)+ induces an isomor-phism on ϖ-adic completions.
117 III The adic spectrum (ii) The pairs (OX,x, mx) and (O+ X,x, mx) are henselian.
Proof.
(i) An inductive limit of henselian pairs is henselian by [25, Lemma 0A04]. So it suffices to show that OX(U)+ is ϖ-adically henselian for every rational domain U of X.
Let U be a rational domain of X. Then (B, B+) := (OX(U), OX(U)+) is a complete Huber pair by lemma III.6.2.4, and it is a Tate pair because A is a Tate ring. Let B0 ⊂B+ be a ring of definition of B. By proposition II.2.5.2, ϖB0 is an ideal of definition of B0, so B0 is ϖ-adically complete, hence ϖ-adically henselian by theorem III.6.3.4. As B+ is the union of all the rings of definition of B contained in it (by corollary II.1.1.8(iii)), anotehr application of [25, Lemma 0A04] shows that B+ is ϖ-adically henselian.
We prove the second statement. Note that mx ⊂O+ X,x and that O+ X,x/mx = k(x)+. Also, we have ϖmx = mx because ϖ is a unit in A, so mx = ϖnmx ⊂ϖnO+ X,x for every n ∈N.
This implies that the map O+ X,x →k(x)+ induces an isomorphism on ϖ-adic completions.
(ii) As mx = ϖmx ⊂ϖO+ X,x, the fact that (O+ X,x, mx) is henselian follows from the first statement of (i) and from [25, Lemma 0DYD].
To prove that (OX,x, mx) is henselian, it suffices to note that mx is contained in the Jacobson readical of OX,x, and that it satisfies the property of theorem III.6.3.5(v) (because it does in O+ X,x).
III.6.4 The category V pre Definition III.6.4.1. We denote by V pre the category of triples (X, OX, (|.|x)x∈X), where : - X is a topological space; - OX is a presheaf of complete topological rings on X such that, for every x ∈X, the stalk OX,x (seen as an abstract ring) is a local ring; - for every x ∈X, |.|x is an equivalence class of valuations on OX,x whose support is equal to the maximal ideal of OX,x.
A morphism (X, OX, (|.|x)x∈X) →(Y, OY , (|.|y)y∈Y ) is a pair (f, f ♭), where f : X →Y is a continuous map and f ♭: OX →f∗OY is a morphism of presheaves of topological rings such that, for every x ∈X, the morphism f ♭ x : OX,x →OY,f(x) induced by f ♭is compatible with the valuations (i.e. |.|f(x) ◦f ♭ x = |.|x). Note that this implies that f ♭ x is a local morphism.
Example III.6.4.2. If (A, A+) is a Huber pair, then Spa(A, A+) is an object of V pre, and any morphism of Huber pairs ϕ : (A, A+) → (B, B+) induces a morphism Spa(ϕ) : Spa(B, B+) →Spa(A, A+) in V pre.
Corollary III.6.4.3. Let (A, A+) be a Huber pair, and let ϕ : (A, A+) →( b A, b A+) be the canonical morphism. Then Spa(ϕ) is an isomorphism in V pre.
118 III.6 The structure presheaf Proof. By corollary III.4.2.2, the map Spa(ϕ) : Spa( b A, b A+) →Spa(A, A+) is a homeomor-phism preserving rational domains. Also, if T ⊂A is a finite subset such that T · A is open and if s ∈A, we have (A⟨T s ⟩, A⟨T s ⟩+) = ( b A⟨T s ⟩, b A⟨T s ⟩+). This implies the result.
Proposition III.6.4.4. Let (A, A+) and (B, B+) be Huber pairs, and suppose that B is complete.
Then ϕ 7− →Spa(ϕ) induces a bijection Hom((A, A+), (B, B+)) →HomV pre(Spa(B, B+), Spa(A, A+)), where the first Hom is taken in the category of Huber pairs. The inverse of this bijections sends a morphism (f, f ♭) : Y := Spa(B, B+) →X := Spa(A, A+)) to the morphism (A, A+) →( b A, b A+) = (OX(X), OX(X)+) f♭ X →(OY (Y ), OY (Y )+) = (B, B+).
Proof. If ϕ : (A, A+) →(B, B+) is a morphism of Huber pairs, then the composition of Spa(ϕ)♭ and of the canonical map A →b A is ϕ by definition of Spa(ϕ)♭.
Conversely, let (f, f ♭) : Y →X be a morphism in V pre, and let ϕ : A →B be the composition of f ♭ X and of A →b A. We want to show that (f, f ♭) = (Spa(ϕ), Spa(ϕ)♭). Let U = R T s be a rational domain in X, and let V = f −1(U). We have V = {y ∈Y | ∀t ∈T, |t|f(y) ≤|s|f(y) ̸= 0} = {y ∈Y | ∀t ∈T, |ϕ(t)|y ≤|ϕ(s)|y ̸= 0}, where the second equality comes from the fact that |a|f(y) = |f ♭ y(a)|y = |ϕ(a)|y for every a ∈A.
If W is a quasi-compact open subset of V , then, by lemma III.3.3, we can find a finite subset TW of B generating an open ideal of B and such that |t|y ≤|ϕ(s)|y for every y ∈W and t ∈TW.
Then we have W ⊂W ′ := R ϕ(T),TW ϕ(s) ⊂V , so the map f ♭ U : OX(U) →OY (W) factors through OY (W ′) = B⟨ ϕ(T),T ′ W ϕ(s) ⟩. We know that f ♭ U is equal to ϕ on the image of A, that ϕ is continuous and that the rings A⟨T s ⟩and B⟨ ϕ(T),T ′ W ϕ(s) ⟩are completions of localizations of A and B, so this implies that f ♭ U : OX(U) →OX(W) is equal to Spa(ϕ)♭ U. Going to the limit on W ⊂V open quasi-compact, we see that f ♭ U : OX(U) →OY (V ) is also equal to Spa(ϕ)♭. This implies the analogous statement for an arbitrary open subset U of X by the definition of the presheaf OX.
III.6.5 Adic spaces Definition III.6.5.1.
An open immersion in V pre is a morphism (f, f ♭) : (X, OX, (|.|x)x∈X) → (Y, OY , (|.|y)y∈Y ) such that f : X → Y is a homeomorphism onto an open subset U of Y and that the induced morphism (X, OX, (|.|x)x∈X) →(U, OY |U, (|.|y)y∈U) is an isomorphism in V pre.
119 III The adic spectrum Example III.6.5.2. Let (A, A+) be a Huber pair. If T ⊂A generates an open ideal and s ∈A, and if ϕ : (A, A+) →(A⟨T s ⟩, A⟨T s ⟩+) is the obvious map, then Spa(ϕ) is an open immersion in V pre by lemma III.6.2.5.
Definition III.6.5.3. We denote by V the full subcategory of V pre whose objects are the triples (X, OX, (|.|x)x∈X) such that OX is a sheaf.
An affinoid adic space is an object of V that is isomorphic to Spa(A, A+), for (A, A+) a Huber pair.
An adic space is an object (X, OX, (|.|x)x∈X) of V such that there exists an open covering (Ui)i∈I such that, for every i ∈I, the triple (Ui, OX|Ui, (|.|x)x∈Ui) such that is an affinoid adic space.
A morphism of adic spaces is a morphism of V .
The next natural question is : which Huber pairs give rise to affinoid adic spaces ? (It is not true that the structural presheaf of Spa(A, A+) is always a sheaf.) We will give some criteria in the next chapter.
120 IV When is the structure presheaf a sheaf ?
The goal of this chapter is to give sufficient conditions on the Huber pair (A, A+) for X = Spa(A, A+) to be an adic space, i.e. for the structure presheaf OX to be a sheaf. As we will see, these conditions also imply that the cohomology of OX on any rational domain of X is concentrated in degree 0, as we would expect from the cohomology of the structural sheaf of an affinoid adic space. 1 IV.1 The main theorem IV.1.1 Statement Before we can state the main theorem of this chapter, we need some definitions.
Definition IV.1.1.1. Let A be a Tate ring. We say that A is strongly Noetherian if b A⟨X1, . . . , Xn⟩ 2 is Noetherian for every n ≥0.
Definition IV.1.1.2. A non-Archimedean topological ring A is called uniform if A0 is bounded in A.
Note that, if A is f-adic, this is equivalent to the fact that A0 is a ring of definition of A.
Remark IV.1.1.3. Any Hausdorff uniform Tate ring is reduced. Indeed, let A be a Tate ring, and let ϖ ∈A be a topologically nilpotent unit. Suppose that A is uniform, so that A0 is a ring of definition of A. Let a ∈A be a nilpotent element. For every n ∈N, the element ϖ−na is nilpotent, hence power-bounded, so a ∈ϖnA0. As the topology of A0 is the ϖA0-adic topology by proposition II.2.5.2, and as A0 is Hausdorff by hypothesis, we have T n≥0 ϖnA0 = {0}. So a = 0.
Definition IV.1.1.4. Let (A, A+) be a Huber pair. Then we say that (A, A+) is stably uniform if, for every rational subset U of Spa(A, A+), the f-adic ring OSpa(A,A+)(U) is uniform.
1Note however that, unlike the case of schemes, there is no cohomological characterization of affinoid adic spaces.
2See notation II.3.3.9.
121 IV When is the structure presheaf a sheaf ?
Theorem IV.1.1.5. (Theorem 2.2 of , theorem 8.27 of , theorem 7 of .) Let (A, A+) be a Huber pair, and let X = Spa(A, A+). Suppose that (A, A+) satisfies one of the following conditions : (a) the completion b A is discrete; (b) the completion b A has a Noetherian ring of definition; (c) A is a strongly Noetherian Tate ring; (d) the Huber pair (A, A+) is Tate and stably uniform.
Then OX is a sheaf, and, for every rational domain U of X and every i ≥1, we have Hi(U, OX) = 0.
See section IV.3 for the proof in cases (c) and (d).
Remark IV.1.1.6. Case (a) of the theorem applies to discrete rings A, and we get that Spv(A) and Riemann-Zariski spaces are adic spaces.
Case (b) applies for example to a complete Noetherian adic ring A, and gives (with some more work) a fully faithful embedding of the category of locally Noetherian formal schemes over Spf(A) into the category of adic spaces over Spa(A, A). Note that adic rings are not Tate, so we cannot apply (c) or (d).
Case (c) applies for example to affinoid algebras over a complete non-Archimedean field k, and gives a fully faithful embedding of the category of rigid analytic varieties over k into the category of adic spaces over Spa(k, k0). Note that these affinoid algebras (even k itself) do not have a Noetherian ring of definition unless the valuation defining the topology of k is discrete, so we cannot apply case (b) in general.
Finally, case (d) typically applies to perfectoid algebras. Note that, if k is a complete non-Archimedean field and A is an affinoid k-algebra, then A is uniform if and only if it is reduced (see section II.1.4 for a reference); in particular, case (d) is not sufficient if we are interested in non-reduced rigid analytic varieties.
IV.1.2 Examples of strongly Noetherian Tate rings Proposition IV.1.2.1. (Proposition 6.29 of .) Let ϕ : A →B be a morphisms of ring.
Suppose that A and B are f-adic rings, and that B is complete. Then the following conditions are equivalent : (i) There exists a positive integer n, finite subsets T1, . . . , Tn such that Ti · A is open in A for every i and a surjective continuous open A-algebra morphism π : A⟨X1, . . . , Xn⟩T1,...,Tn →B.
122 IV.1 The main theorem (ii) The morphism ϕ is adic, there exists a finite subset M of B such that the A-subalgebra ϕ(A)[M] of B is dense in B, and there exist rings of definition A0 of A and B0 of B and a finite subset N of B0 such that ϕ(A0) ⊂B0 and that ϕ(A0)[N] is dense in B0.
(iii) There exists rings of definition A0 of A and B0 of B such that : (a) ϕ(A0) ⊂B0; (b) B is finitely generated (as an algebra) over ϕ(A) · B0; (c) there exists a surjective continuous open A0-algebra morphism b A0⟨X1, . . . , Xn⟩→B0, for some n ∈N.
(iv) For every open subring A0 of A, there exists an open subring B0 of B such that conditions (a), (b) and (c) of (iii) hold.
Definition IV.1.2.2. If a morphism ϕ : A →B satisfies the equivalent conditions of proposition IV.1.2.1, we say that the A-algebra B is topologically of finite type.
Proposition IV.1.2.3. (Propositions 6.33, 6.35 and 6.36 of .) Let A be a strongly Noetherian f-adic ring, and let B be a A-algebra that is topologically of finite type (so B is a complete f-adic ring). Then : (i) B is strongly Noetherian (in particular, it is Noetherian).
(ii) If A has a Noetherian ring of definition, so does B.
Theorem IV.1.2.4. (Theorem 1 of section 5.2.6 of .) Any complete non-Archimedean field is strongly Noetherian.
IV.1.3 Examples of stably uniform Tate rings We fix a prime number ℓ.
Definition IV.1.3.1. We say that a ring A is of characteristic ℓif ℓ·1A = 0. If A is of characteristic ℓ, then the map FrobA : A →A, a 7− →aℓis a ring endormophism called the Frobenius endomorphism of A; we say that A is perfect (resp. semiperfect) if FrobA is bijective (resp.
injective).
Notation IV.1.3.2. If A is perfect, we often write a 7− →a1/ℓfor the inverse of FrobA.
Remark IV.1.3.3. Unfortunately, there is another definition of perfect and semiperfect rings (for example, a not necessarily commutative ring R is called left perfect if every left module has a projective cover); it is totally unrelated to the previous definition. We will only use definition IV.1.3.1 in these notes.
Remark IV.1.3.4. Let A be a ring of characteristic ℓ. If A is reduced, then Ker(FrobA) = {0}, so A is perfect if and only if it is semiperfect.
123 IV When is the structure presheaf a sheaf ?
Theorem IV.1.3.5. (Lemma 7.1.6 of .) Let A be a complete Tate ring of characteristic ℓ.
Suppose that A is perfect. Then A has a perfect ring of definition and is stably uniform.
We will see later that these rings are exactly the perfectoid Tate rings of characteristic ℓ.
Proof. Suppose that we have shown that A has a perfect ring of definition. By lemmas IV.1.3.8 and IV.1.3.9, for every finite subset T of A generating an open ideal and every s ∈A, the ring A⟨T s ⟩is also a complete and perfect Tate ring. So it suffices to prove that A has a perfect ring of definition and is uniform.
Let A0 be a ring of definition of A and ϖ ∈A be a topologically nilpotent unit. For every n ≥1, let An = A1/ℓn 0 , and let A∞= S n≥0 An. Then A∞is a perfect subring of A and A0 ⊂A∞⊂A0.
We first show that A∞is bounded, hence a ring of definition of A. Note that FrobA : A →A is continuous and surjective, and it is A-linear if we put the obvious A-module structure on its source and the A-module structure given by a · b = aℓb (a, b ∈A) on its target. So, by the Banach open mapping theorem (see corollary II.4.1.6), FrobA is open. In particular, the subring FrobA(A0) of A is open, so there exists r ∈N such that ϖrA0 ⊂FrobA(A0). Applying Frob−1 A , we see that we have s ∈N such that ϖsA1 ⊂A0 (any s ≥rℓ−1 will do). As in the proof of lemma IV.1.3.8, this implies that ϖs+s/ℓ+...+s/ℓn−1An ⊂A0 for every n ≥1, hence that ϖ2sA∞⊂A0. So A∞is bounded.
Now we show that ϖA0 ⊂A∞, which will imply that A0 is bounded. Let a ∈A0. As a is power-bounded, there exists r ∈N such that {ϖran, n ∈N} ⊂A∞. As A∞is closed in A under taking ℓth roots, this implies that ϖr/ℓna ∈A∞for every n ≥0. In particular, taking n such that r ≤ℓn, we get ϖa ∈A∞.
Lemma IV.1.3.6. Let A be a ring of characteristic ℓand S ⊂A be a multiplicative system. If A is perfect (resp. semiperfect), so is S−1A.
Proof. Let B = S−1A. Suppose that A is semiperfect. Let b ∈B, and write b = as−1, with a ∈A and s ∈S. As A is semiperfect, we can find c, t ∈A such that cℓ= a and tℓ= s. Then ctℓ−1s−1 ∈B, and (ctℓ−1s−1)ℓ= b. So B is semiperfect.
We now assume that A is perfect, and we want to show that Ker(FrobB) = {0}. So let a ∈A and s ∈S such that (as−1)ℓ= 0 in B. This means that there exists t ∈S such that taℓ= 0 in A.
Then ta ∈Ker(FrobA), so ta = 0 in A, so as−1 = 0 in B.
Lemma IV.1.3.7. Let A be a topological ring, N be a positive integer and T be a finite subset of A. Then T is power-bounded if and only the set {tN, t ∈T} is power-bounded.
124 IV.1 The main theorem Proof. Write T ′ = {tN, t ∈T}.
Remember that T is power-bounded is and only if the set S n≥1 T(n) is bounded, where, for every n ≥1, T(n) = {t1 . . . tn, t1, . . . , tn ∈T}. As S n≥1 T(n) ⊃S n≥1(T ′)(n), T ′ is power-bounded if T is. On the other hand, we have [ n≥1 T(n) = [ (mt)t∈T ∈{0,...,N−1}T Y t∈T tnt/N ! [ n≥1 (T ′)(n) !
, so S n≥1 T(n) is a finite union of translates of S n≥1(T ′)(n). This shows that T is power-bounded if T ′ is.
Lemma IV.1.3.8. Let A be a f-adic ring, T be a finite subset of A that generates an open ideal and s ∈A. Suppose that A is perfect. Then we have a canonical isomorphism of A-algebras A T s = A T 1/ℓ s1/ℓ .
If moreover A is a Tate ring and has a perfect ring of definition, then A T s also has a perfect ring of definition.
Proof. Write B = A T s . As an abstract ring, the f-adic ring B is isomorphic to A[s−1]. So, by lemma IV.1.3.6, we know that B is perfect.
The first statement follows immediately from the universal property of the localization (see proposition II.3.4.1) and from lemma IV.1.3.7 : the topological rings A T s and A T 1/ℓ s1/ℓ satisfy the same universal property.
Let A0 be a ring of definition of A, and let B0 be the A0-subalgebra of B generated by the elements ts−1, t ∈T. Then B0 is a ring of definition of B by remark II.3.4.4.
Suppose that A is a Tate ring, let ϖ ∈A be a topologically nilpotent unit, and suppose that A0 is perfect. Then B1/ℓ 0 is the A0-subalgebra of B generated by the t1/ℓs−1/ℓ, t ∈T, so it is also a ring of definition of B by the first statement of the lemma and the previous paragraph. In particular, B1/ℓ 0 is bounded, so there exists a positive integer r such that ϖrB1/ℓ 0 ⊂B0. An easy induction on n then shows that ϖr+r/ℓ+...+r/ℓn−1B1/ℓn 0 ⊂B0 for every n ≥1. In particular, we have ϖ2B1/ℓn 0 ⊂B0 for every n ≥1. Let B′ 0 = S n≥1 B1/ℓn 0 . This is a perfect subring of B, it is open because it contains B0, and it is bounded because ϖ2rB′ 0 ⊂B0. So B′ 0 is a perfect ring of definition of B, and we are done.
Lemma IV.1.3.9. Let A be a Tate ring with a perfect ring of definition. Then A and b A are perfect, and b A also has a perfect ring of definition.
Proof. Let A0 be a perfect ring of definition of A, and let ϖ ∈A0 a topologically nilpotent unit.
Then A = A0[ϖ−1] by proposition II.2.5.2, so A is perfect by lemma IV.1.3.6.
125 IV When is the structure presheaf a sheaf ?
Let b A0 = lim ← −n≥1 A0/ϖnA0. As b A = b A0[ϖ−1] by (v) of corollary II.3.1.9, it suffices to prove that b A0 is perfect. As ϖ1/ℓis also a topologically nilpotent element of A0, the canonical map lim ← −n≥1 A0/ϖnℓA0 →b A0 (sending (xn) ∈lim ← −n≥1 A0/ϖn/ℓA0 to (xℓn)n≥1) is an isomorphism, and this implies immediately that b A0 is perfect.
IV.2 Some preliminary results In this section, we fix a Huber pair (A, A+) with A a Tate ring, and we set X = Spa(A, A+).
IV.2.1 Strictness and completion Definition IV.2.1.1. ( chapitre III §2 No8 d´ efinition 1.) Let ϕ : M →M ′ be a continuous morphism of topological groups. We say that ϕ is strict if the following two topologies on ϕ(M) coincide : - the quotient topology given by the isomorphism ϕ(M) ≃M/ Ker ϕ; - the subspace topology given by the inclusion ϕ(M) ⊂M ′.
Proposition IV.2.1.2. ( chapitre III §2 No12 lemme 2.) Let M, M ′, M ′′ be abelian topological groups that have countable fundamental systems of neighborhoods of 0, and let ϕ : M →M ′ and ψ : M ′ →M ′′ be continuous group morphisms. Suppose that : - the sequence M ϕ →M ′ ψ →M ′′ is exact as a sequence of abstract group, i.e. Ker ψ = Im ϕ; - the morphisms ϕ and ψ are strict.
Then the sequence c M b ϕ →c M ′ b ψ →c M ′′ is exact and b ϕ and b ψ are strict.
IV.2.2 The ˇ Cech complex for a special cover Let t ∈A. We consider the rational domains U = R 1,t 1 = {x ∈X | |t|x ≤1} and V = R 1 t = {x ∈X | |t|x ≥1}. Note that U ∩V = {x ∈X | |t|x = 1} is the rational domain R 1,t,t2 t .
Let B = A 1,t 1 , C = A 1 t and D = A 1,t,t2 t . We have canonical adic maps ϕB : A →B, ϕC : A →C, ψB : B →D and ψC : C →D such that ψB ◦ϕB = ψC ◦ϕC is the canonical map 126 IV.2 Some preliminary results from A to D. Note that ϕB and ψC are continuous and bijective maps of topological rings, but they are not homeomorphisms in general. For example, B is just A as an abstract ring, but with a topology that makes t power-bounded.
We denote the map ϕB ⊕ϕC : A →B ⊕C by ε and the map ψB −ψC : B ⊕C →D by δ.
Then A ε →B ⊕C δ →D is a complex, whose completion is the ˇ Cech complex OX(X) →OX(U) ⊕OX(V ) →OX(U ∩V ) of the open cover (U, V ) of X. We want to know when this ˇ Cech complex is exact. This is the goal of the following proposition.
Proposition IV.2.2.1. (See Lemma 2 of and the discussion preceding it.) (i) The complex 0 →A ε →B ⊕C δ →D →0 is exact as a complex of abstract commutative groups.
(ii) The map δ : B ⊕C →D is strict.
(iii) The map OX(U)⊕OX(V ) →O(U∩V ) sending (f, g) to f|U∩V −g|U∩V (i.e. the completion of δ) is surjective.
(iv) The following conditions are equivalent : (a) the map ε : A →B ⊕C is strict; (b) the complex 0 →OX(X) →OX(U) ⊕OX(V ) →OX(U ∩V ) is exact; (c) the complex 0 →OX(X) →OX(U) ⊕OX(V ) →OX(U ∩V ) →0 is exact; (d) there exists rings of definition A0 ⊂A, B0 ⊂B and C0 ⊂C, a topologically nilpotent unit ϖ ∈A and n ∈N such that ϖn(ϕ−1 B (B0) ∩ϕ−1 C (C0)) ⊂A0.
Remember that a morphism of topological groups u : G →H is called strict if the quotient topology on u(G) ≃G/ Ker u coincides with the subspace topology induced by the topology of H.
Proof. Let A0 be a ring of definition of A, and let ϖ ∈A be a topologically nilpotent unit such that ϖ ∈A0. Then, by remark II.3.4.2, A0[t] is a ring of definition of B, A0[t−1] is a ring of definition of C and A0[t, t−1] is a ring of definition of D. Also, as the f-adic rings A, B, C and D are Tate, the topology on these rings of definition is the ϖ-adic topology by proposition II.2.5.2.
(i) The fact that ε is injective and δ surjective follows from the fact that ϕB and ψC are iso-morphisms of abstract rings. Let (b, c) ∈B ⊕C such that δ(b, c) = 0, i.e. b −c = 0 in A[t−1]. We have b ∈A, so (b, c) = ε(b).
(ii) The map δ is surjective by (i), so we just need to check that δ is open. This follows from the obvious fact that δ(ϖnA0[t] ⊕ϖnA0[t−1]) = ϖnA0[t, t−1] for every n ∈N.
(iii) This follows from (ii) and from chapitre III §2 No12 lemme 2.
(iv) The map ε is strict if and only, for all rings of definition B0 ⊂B and C0 ⊂C0, the groups ϖn(ϕ−1 B (B0) ∩ϕ−1 C (C0)) = ε−1(ϖnB0 ⊕ϖnC0), n ≥0, form a fundamental system of 127 IV When is the structure presheaf a sheaf ?
neighborhoods of 0 in A. This shows that (a) and (d) are equivalent. Also, (c) obviously implies (b), and (b) implies (c) by (iii).
Suppose that (a) holds. Then all the maps in the exact sequence of (i) are strict, so its completion is still exact by chapitre III §2 No12 lemme 2. This shows that (a) implies (c).
It remains to show that (c) implies (d). Fix rings of definition B0 ⊂B and C0 ⊂C such that A0 ⊂ϕ−1 B (B0) ∩ϕ−1 C (C0) := A′ 0, and let A′ be the ring A with the topology for which (ϖnA′ 0)n≥0 is a fundamental system of neighborhoods of 0. (This does define a structure of topological ring on A′ by lemma II.3.3.8.) The identity A →A′ is continuous (because A′ 0 is an open subring of A), and (d) is equivalent to the fact that it is an open map. Note that A′ is isomorphic as a topological ring to ε(A) with the subspace topology, so the obvious sequence 0 →A′ →B ⊕C →D →0 is exact and all the maps in it are strict. Using chapitre III §2 No12 lemme 2 again, we see that the sequence 0 →b A′ →b B ⊕b C →b D →0 is exact. As we are assuming that 0 →b A′ →b B ⊕b C →b D →0 is exact, this implies that the canonical map b A →b A′ is bijective. By the open mapping theorem (theorem II.4.1.1), the map b A →b A′ is open. Using lemma II.3.1.11, we see that this implies the openness of A →A′, hence condition (d).
IV.2.3 Refining coverings In this section, we fix a Huber pair (A, A+), with A a f-adic ring. We want show the existence of enough manageable covers of X = Spa(A, A+).
Definition IV.2.3.1.
(i) Let t1, . . . , tn ∈ A generating the ideal (1) of A.
The stan-dard rational covering of X generated by t1, . . . , tn is the covering (Ui)1≤i≤n, where Ui = R t1,...,tn ti . We say that this standard rational covering is generated by units if t1, . . . , tn ∈A×.
(ii) Let t1, . . . , tn ∈A. For every I ⊂{1, . . . , n}, let VI = {x ∈X | |ti|x ≤1 ∀i ∈I and |ti|x ≥1 ∀i ̸∈I}; note that VI is the rational domain R TI sI , where sI = Q j̸∈I ti and TI = {1} ∪{tisI, i ∈I} ∪{ Y j̸∈I∪{i} ti, i ̸∈I}.
The family (VI)I⊂{1,...,n} is an open covering of X, which we call the standard Laurent covering generated by t1, . . . , tn. Again, we say that the covering is generated by units if t1, . . . , tn ∈A×.
128 IV.2 Some preliminary results (iii) A simple Laurent covering is a standard Laurent covering generated one element.
(iv) A rational covering of X is a covering of X by rational domains.
Note that the covering of proposition IV.2.2.1 is a simple Laurent. Note also that we diverge from the vocabulary of when defining rational coverings and follow instead.
Remark IV.2.3.2. Note that, if t1, . . . , tn ∈A are such that (t1, . . . , tn) = A, the standard rational covering generated by t1, . . . , tn is a covering of X. Indeed, we have n [ i=1 R t1,...,tn ti = n [ i=1 {x ∈X| max 1≤j≤n |tj|x = |ti|x ̸= 0} = {x ∈X | max 1≤j≤n |tj|x ̸= 0}, which is also the set of x ∈X such that at least one of the |ti|x is nonzero; but this is all of X, because 1 ∈Pn i=1 Ati (and |1|x = 1 ̸= 0 for every x ∈X). The same observation also shows that, for every i ∈{1, . . . , n}, R t1, . . . , tn ti = {x ∈X | ∀j ∈{1, . . . , n}, |tj|x ≤|ti|x}.
(If we have |tj|x ≤|ti|x for every j and |ti|x = 0, then |t1|x = . . . = |tn|x = 0, and we have just seen that this implies |1|x = 0, which is impossible.) Proposition IV.2.3.3. (Lemma 8 of and lemma 2.4.19 of .) (i) For every open covering U of X, there exists a rational covering refining U . If moreover A is complete, then, for every open covering U of X, there exists a standard rational covering V of X refining U .
(ii) Suppose that A is a Tate ring. Then, for every standard rational covering U of X, there exists a standard Laurent covering V of X such that for every V ∈V , the covering (V ∩U)U∈U of V is a standard rational covering generated by units.
(iii) For every standard rational covering generated by units U of X, there exists a standard Laurent covering V of X generated by units refining U .
Proof.
(i) This is lemma 2.6 of . First we construct a rational covering refining U . Let x ∈X, and let y = x|cΓx (so y is the minimal horizontal specialization of x). Note that y is still in Spa(A, A+) : y is continuous by proposition II.2.3.1(i), and, for every a ∈A+, we have |a|y ≤|a|x ≤1. Let U ∈U such that y ∈U. As y has no proper horizontal specialization, we have y ∈Spv(A, A) (see remark I.4.2.2(2)). So, by point (3) in the proof of theorem I.4.2.4, there exists a finite subset Tx of A such that Tx · A = A and sx ∈A such that y ∈R Tx sx ⊂U; after replacing Tx by Tx ∪{sx}, we may assume that sx ∈Tx. As x is a generization of y, we also have x ∈R Tx sx . So X = S x∈X R Tx sx .
As X is quasi-compact, we can find x1, . . . , xn ∈X such that X = S x∈X R Txi sxi . This is a finite rational covering of X refining U .
129 IV When is the structure presheaf a sheaf ?
We now assume that A is complete and refine this rational covering forther to a standard rational covering. We write Txi = Ti and sxi = si. Let T = {t1 . . . tn, ti ∈Ti ∀i ∈{1, . . . , n}} and S = {t1 . . . tn, ti ∈Ti ∀i ∈{1, . . . , n} and ∃i ∈{1, . . . , n} such that ti = si}.
As each Ti · A = A for every i, we have S · A = s1A + . . . snA. As X is the union of the R Ti si , for every x ∈X, there exists i ∈{1, . . . , n} such that |si|x ̸= 0. By corollary III.4.4.3, this implies that S · A = A.
We want to show that the standard rational covering generated by S refines the cover-ing (R Ti si )1≤i≤n, hence U . Let s ∈S, and write s = t1 . . . tn, with ti ∈Ti. Pick j ∈{1, . . . , n} such that tj = sj. We claim that R S s ⊂R Tj sj . Indeed, let x ∈R S s , and let t ∈Tj. Then |t1 . . . ti−1tti+1 . . . tn|x ≤|s|x ̸= 0, and this implies |t|x ≤|sj|x ̸= 0.
(ii) Let t1, . . . , tn ∈A such that (t1, . . . , tn), and let (U1, . . . , Un) be the standard rational covering generated by t1, . . . , tn. Let ϖ ∈A be a topologically nilpotent unit. We choose a1, . . . , an ∈A such that a1t1 + . . . + antn = 1. As A+ is open, there exists N ∈N such that ϖNai ∈A+ for every i ∈{1, . . . , n}. Then, if x ∈X = Spa(A, A+) and we have |ϖNai|x ≤1 for every i, so |ϖN|x = |ϖNa1t1 + . . . + ϖNantn|x ≤max1≤i≤n |ti|x, and finally |ϖN+1|x < max1≤i≤n |ti|x (because |ϖ|x < 1). Let (VI)I⊂{1,...,n} be the standard Laurent covering generated by ϖ−(N+1)t1, . . . , ϖ−(N+1)tn. We will show that this covering works.
Let I ⊂{1, . . . , n}. We have VI = {x ∈X | |ti|x ≤|ϖN+1|x ∀i ∈I and |ti|x ≥|ϖN+1|x ∀i ̸∈I}.
In particular, by the choice of N, V{1,...,n} = ∅. Suppose that I ⊊{1, . . . , n}. By the description of VI as a rational subset in definition IV.2.3.1, we have ti ∈OX(VI)× for i ̸∈I. If x ∈VI, max i∈I |ti|x ≤|ϖN+1|x < max 1≤i≤n |ti|x, so max 1≤i≤n |ti|x = max i̸∈I |ti|x.
In particular, VI ∩Ui = ∅if i ∈I, and VI ∩Ui = VI ∩R tj, j̸∈I ti if i ̸∈I. This shows the statement.
(iii) Let t1, . . . , tn ∈A×, and let (U1, . . . , Un) be the standard rational covering generated by t1, . . . , tn. Let I = {(i, j) ∈{1, . . . , n} | i < j}, and let t(i,j) = tit−1 j for (i, j) ∈I.
130 IV.2 Some preliminary results We claim that the standard Laurent covering generated by the family (t(i,j))(i,j)∈I works.
Denote this covering by (VJ)J⊂I. For J ⊂I, we have VJ = {x ∈X | |ti|x ≤|tj|x if (i, j) ∈J and |ti|x ≥|tj|x if (i, j) ̸∈J}.
Choose a finite sequence (i1, . . . , ir) of elements of {1, . . . , n} such that (is, is+1) ∈J for 1 ≤s ≤r −1 and of maximal length for that property. (Such a chain exists, be-cause the condition implies that i1 < . . . < ir, so we must have r ≤n.) Then, if i ∈{1, . . . , n} −{ir}, we cannot have (ir, i) ∈J because this would contradict the maximality of (i1, . . . , ir), so |ti|x ≤|tir|x for every x ∈VJ. This shows that VJ ⊂Uir.
Corollary IV.2.3.4. (Proposition 2.4.20 of .) Suppose that A is a complete Tate ring. Let P be a property of rational coverings of rational domains of X. Suppose that P satisfies the following conditions : (a) P is local, i.e. if it holds for a refinement of a covering then it also holds for the original covering.
(b) P is transitive : let U be a rational domain of X, (Ui)i∈I be a rational covering of U and (Uij)j∈Ji be a rational covering of Ui for every i ∈I; if P holds for the covering (Ui)i∈I of U and for each covering (Uij)j∈Ji of Ui, i ∈I, then it holds for the covering (Uij)i∈I,j∈Ji of U.
(c) P holds for every simple Laurent covering of a rational domain of X.
Then P holds for any rational covering of every rational domain of X.
We will see examples of properties P satisfies (a), (b) and (c) in corollary IV.3.2.1.
Proof.
(1) If U is a rational domain of X and U is a standard Laurent covering of U of OX(U), then P holds for U : We prove this by induction on the number n of elements generating the Laurent covering. If n = 1, this is condition (c). Suppose that n ≥2 and that we know the result for n −1 (and for every rational domain of X). Let t1, . . . , tn ∈OX(U), and consider the standard Laurent covering U = (VI)I⊂{1,...,n} of U that they generate. We also set W = {x ∈U | ||t1|x ≤1} and W ′ = {x ∈U | ||t1|x ≥1}; this is a simple Laurent covering of U, so P holds for this covering by (c). Then (W ∩VI)1∈I (resp.
(W ′ ∩VI)i̸∈I) is the standard Laurent covering of W (resp. W ′) generated by t2, . . . , tn.
By the assumption hypothesis, P holds for these two coverings, so it holds for U by condition (b).
(2) By (1), property (a) and proposition IV.2.3.3(iii), P holds for any standard rational cover-ing generated by units of a rational domain of X.
(3) Let U be a standard rational covering of a rational domain U of X. By proposition IV.2.3.3(ii), there exists a standard Laurent covering V of U such that, for every V ∈V , 131 IV When is the structure presheaf a sheaf ?
(V ∩U)U∈U is a standard rational covering generated by units of V . By (2), property P holds for each covering (V ∩U)U∈U , and by (1), it holds for V . So, by property (b), P holds for U .
(4) Let U be a rational covering of a rational domain U of X. By proposition IV.2.3.3(i), there exists a standard rational covering V of U refining U . Property P holds for V by (3), so it holds for U by (a).
IV.3 Proof of theorem IV.1.1.5 in cases (a), (c) and (d) In this section, we fix a Huber pair (A, A+) such that A is a Tate ring, and we write X = Spa(A, A+). We also fix a ring of definition A0 of A and a topologically nilpotent unit ϖ of A such that ϖ ∈A0.
IV.3.1 A local criterion for power-boundedness Proposition IV.3.1.1. (Lemma 3 of .) Let t1, . . . , tn ∈A, and suppose that the ideal (t1, . . . , tn) is A itself. For every i ∈{1, . . . , n}, let ϕi : A →Ai := A t1,...,tn ti be the canonical map. Let Ai,0 = A0[ t1 ti , . . . , tn t0 ] ⊂Ai; this is a ring of definition of Ai.
Then A0 ⊃ \ 1≤i≤n ϕ−1 i (Ai,0).
In other words, an element a ∈A such that ϕi(a) ∈Ai,0 for every i is power-bounded.
Proof. Let a ∈T 1≤i≤n ϕ−1 i (Ai,0). For each i ∈{1, . . . , n}, the image of a in A[t−1 i ] is in the subring A0[t1t−1 i , . . . , tnt−1 i ].
Choose a homogeneous polynomial fi ∈A0[X1, . . . , Xn] such that ai = t−deg(fi) i fi(t1, . . . , tn) in A[t−1 i ].
Then we can find ci ∈ N such that tci i (tdeg(fi) i a −fi(t1, . . . , tn)) = 0 in A. If we set gi = Xci i fi ∈A0[X1, . . . , Xn], then gi is homo-geneous of degree di := ci + deg(fi) and tdi i a −gi(t1, . . . , tn) = 0 in A for every i ∈{1, . . . , n}.
Let N = d1 + . . . + dn, and choose A ∈N such that ϖAti ∈A0 for every i ∈{1, . . . , n}.
We show by induction on m that ϖNAh(t1, . . . , tn)am ∈A0 for every homogeneous polynomial h ∈A0[X1, . . . , Xn] of degree N and every m ∈N. The statement is clear if m = 0, because then ϖNAh(t1, . . . , tn)rm = ϖNAh(t1, . . . , tn) is a polynomial in ϖAt1,..., ϖAtn with coefficients in A0. Suppose that m ≥1 and that we know the result for m −1. It suffices to prove the statement for h a monomial of degree N, i.e. h = Xe1 1 . . . Xen n with e1 + . . . + en = N. Since N = d1 + . . . + dn, there is at least one i such that ei ≥di, and we may assume that i = 1. Then ϖNAte1 1 . . . ten n am = ϖNAte1−d1 1 te2 2 . . . ten n g1(t1, . . . , tn)am−1, 132 IV.3 Proof of theorem IV.1.1.5 in cases (a), (c) and (d) and the right hand side is in A0 by the induction hypothesis.
Now we show that a ∈A0. Choose a1, . . . , an ∈A such that a1t1 + . . . + antn = 1, and choose B ∈ N such that ϖBai ∈ A0 for every i ∈ {1, . . . , n}.
Then h = (ϖBa1X1 + . . . + ϖBanXn)N ∈A0[X1, . . . , Xn] is homogeneous of degree N, so, by the previous paragraph, ϖNAh(t1, . . . , tn)am = ϖN(A+B)am is in A0 for every m ∈N. This shows that {am, m ∈N} is bounded.
Corollary IV.3.1.2. We keep the notation of proposition IV.3.1.1, and we suppose that A is uni-form. Then the morphism ϕ : A →Qn i=1 Ai, a 7− →(ϕi(a))1≤i≤n is strict.
Proof. As A is uniform, we may assume that A0 = A0. The subspace topology on ϕ(A) has the sets ϕ(A) ∩(Qn i=1 ϖNAi,0), N ∈N, as a fundamental system of neighborhoods of 0, and the quotient topology has the sets ϕ(ϖNA0) as a fundamental system of neighborhoods of 0. We already know that the quotient topology is finer than the subspace topology because ϕ is contin-uous. On the other hand, proposition IV.3.1.1 says that ϕ(ϖNA0) ⊃ϕ(A) ∩(Qn i=1 ϖNAi,0) for every N ∈N, so the subspace topology is finer than the quotient topology, and we are done.
Corollary IV.3.1.3. (Corollary 4 of .) Suppose that A is uniform. Let t ∈A, and consider the open cover (U = R 1,t 1 , V = R 1 t of X. Then the ˇ Cech complex 0 →OX(X) →OX(U) ⊕OX(V ) →OX(U ∩V ) →0 is exact.
Proof. We are in the situation of proposition IV.2.2.1, so it suffices to check that condition (iv)(d) of this proposition holds. Applying proposition IV.3.1.1 with t1 = 1 and t2 = t shows that, with the notation of proposition IV.2.2.1, ϕ−1 B (B0) ∩ϕ−1 C (C0) ⊃A0, where B0 = A0[t] and C0 = A0[t−1]. As A is uniform, A0 is bounded, so there exists n ∈N such that ϖnA0 ⊂A0.
This shows condition (iv)(d) of proposition IV.2.2.1.
IV.3.2 Calculation of the ˇ Cech cohomology If F is a presheaf of abelian groups on X, U is an open subset of X and U is an open covering of U, we denote by ˇ C •(U , F) the associated ˇ Cech complex and by ˇ H i(U , F) its cohomology, i.e., the ˇ Cech cohomology groups of F on U for the covering U . (See [25, Definition 01EF].) Corollary IV.3.2.1. (Proposition 2.4.21 of .) Let F be a presheaf of abelian groups on X. Consider the following property P of rational coverings U of a rational domain U of 133 IV When is the structure presheaf a sheaf ?
X : for every rational domain V of U, if V ∩U = (V ∩W)W∈U , then the canonical map F(V ) →ˇ H 0(V ∩U , F is an isomorphism and ˇ H i(V , F) = 0 for i ≥1.
Then property P satisfies conditions (a) and (b) of corollary IV.2.3.4, so in particular, it holds for every rational covering of every rational domain of X if and only if it satisfies property (c) of that corollary.
Proof. We check (a). Suppose that U = (Ui)i∈I and V = (Vj)j∈J are rational coverings of a ratinal domain U of X, that V refines U , and that P holds for V . We want to apply corollary IV.3.2.3 to show that ˇ H •(U , OX) ≃ˇ H •(V , OX) (which will imply that P holds for U ), so we need to check that the hypotheses of this corollary hold. For all i0, . . . , ip, the fact that the map OX(Ui0 ∩. . . ∩Uip) →ˇ C •(Ui0 ∩. . . ∩Uip ∩V , OX) is a quasi-isomorphism follows immediately from the fact that property P holds for V . Let j0, . . . , jq, and let V ′ = Vj0∩. . .∩Vjq. We want to show that the map OX(V ′) →ˇ C •(V ′∩U , OX) is a quasi-isomorphism. But this follows from proposition IV.3.2.4 and from the fact that the coverings V ′ ∩U and {V ′} of V ′ refine each other.
We now check (b). Let U be a rational domain of X, consider a rational covering U = (Ui)i∈I of U and a rational covering Ui = (Uij)j∈Ji of Ui for every i ∈I. Suppose that P holds for U and for every covering Ui, i ∈I.
We want to show that it holds for the covering V = (Uij)i∈I,j∈Ji of U. First note that, for every i ∈I, the covering Ui of Ui refines Ui ∩V .
As P satisfies condition (a), this implies that P holds for Ui ∩V . As before, we want to ap-ply corollary IV.3.2.3 to show that ˇ H •(U , OX) ≃ˇ H •(V , OX) (which will imply that P holds for V ). By the beginning of the paragraph, we already know that, for all i0, . . . , ip ∈I, the map F(Ui0 ∩. . . ∩Uip) →ˇ C •(Ui0 ∩. . . ∩Uip ∩V , F) is a quasi-isomorphism. Moreover, if V ∈V , then the coverings V ∩U and {V } of V refine each other, so they have isomorphic ˇ Cech complexes by proposition IV.3.2.4. So the hypotheses of corollary IV.3.2.3 are satisfied.
In the end of this section, we give some auxiliary results that are used in the proof of corollary IV.3.2.1. We need a way to compare ˇ Cech cohomology for two different covers. This is done in section 8.1.4 of . We review their construction.
Let X be a topological space, F be a presheaf of abelian groups on X and U = (Ui)i∈I, V = (Vj)j∈J be two open coverings of X. 3 For all i0, . . . , ip ∈I (resp. j0, . . . , jq ∈J), we write Ui0,...,ip = Ui0 ∩. . . ∩Uip (resp. Vj0,...,jq = Vj0 ∩. . . ∩Vjq). We define a double complex ˇ C •,•(U , V ; F) by ˇ C p,q(U , V ; F) = Y i0,...,ip∈I j0,...,jq∈J F(Ui0,...,ip ∩Vj0,...,jq), 3This would work just as well for X a site and F a presheaf with values in an abelian category.
134 IV.3 Proof of theorem IV.1.1.5 in cases (a), (c) and (d) with differentials ′dp,q : ˇ C p,q(U , V ; F) →ˇ C p+1,q(U , V ; F) ′′dp,q : ˇ C p,q(U , V ; F) →ˇ C p,q+1(U , V ; F) such that, if f ∈ˇ C p,q(U , V ; F), then the (i0, . . . , ip+1, j0, . . . , jq)-component of ′dp,q(f) is given by p+1 X r=0 (−1)r+qfi0,...,ir−1,ir+1,...,ip,j0,...,jq|Ui0,...,ip+1∩Vj0,...,jq and the (i0, . . . , ip, j0, . . . , jq+1)-component of ′′dp,q(f) is given by q+1 X s=0 (−1)r+qfi0,...,ip,j0,...,js−1,js+1,...,jq|Ui0,...,ip∩Vj0,...,jq+1.
We also denote by ˇ C •(U , V ; F) the associated simple complex.
The obvious maps F(Vj0,...,jq) →ˇ C 0(Vj0,...,jq ∩U , F) induce a morphism of complexes ˇ C •(V , F) →ˇ C •(U , V ; F).
The following result is Lemma 1 of 8.1.4.
Proposition IV.3.2.2. Suppose that, for all j0, . . . , jq ∈J, the obvious morphism F(Vj0,...,jq) →ˇ C •(Vj0,...,jq ∩U , F) is a quasi-isomorphism. Then the morphism ˇ C •(V , F) →ˇ C •(U , V ; F) defined above is a quasi-isomorphism.
Proof. This is a general result for double complexes. See for example corollary 12.5.5 of .
We obviously have a similar result if we switch the roles of U and V , so we get the following corollary.
Corollary IV.3.2.3. ( 8.2 Theorem 2.) Assume, for i0, . . . , ip ∈I (resp. j0, . . . , jq ∈J), the obvious morphism F(Ui0,...,ip) →ˇ C •(Ui0,...,ip ∩V , F) (resp.
F(Vj0,...,jq) →ˇ C •(Vj0,...,jq ∩U , F)) 135 IV When is the structure presheaf a sheaf ?
is a quasi-isomorphism. Then the two morphisms ˇ C •(V , F) →ˇ C •(U , V ; F) ←ˇ C •(U , F) defined above are quasi-isomorphisms.
In particular, we get canonical isomorphisms ˇ H r(U , F) ≃ˇ H r(V , F), for all r ∈N.
We note another and simpler way to compare the ˇ Cech complexes under extra hypotheses.
Suppose that V refines U . For every j ∈J, we choose c(j) ∈I such that Vj ⊂Uc(j). Then we get restriction morphisms F(Uc(j0),...,c(jq)) →F(Vj0,...,jq), for all j0, . . . , jq ∈J, and these induce a morphism of complexes ˇ C •(U , F) →ˇ C •(V , F).
This morphism of complexes depends on the choice of c : J →I, but the maps it induces on cohomology do not (see for example [25, Section 09UY] for details). This immediately implies the following result.
Proposition IV.3.2.4. If U refines V and V refines U , then the maps ˇ C •(V , F) →ˇ C •(U , F) and ˇ C •(U , F) →ˇ C •(V , F) are quasi-isomorphisms quasi-inverse of each other.
IV.3.3 The strongly Noetherian case In this section, we explain what happens in the strongly Noetherian case. For now, we assume that A is a Tate ring.
Definition IV.3.3.1. Let M be a finitely generated A-module, endowed with its canonical topol-ogy (see proposition II.4.2.2). We denote by M⟨X⟩the A⟨X⟩-submodule of M of elements f = P ν≥0 mνXν such that, for every neighborhood U of 0 in M, we have mν ∈U for all but finitely many ν.
Proposition IV.3.3.2. ( remark 8.28 and lemma 8.30) Suppose that A is complete and Noetherian.
(i) For every finitely generated A-module M, if we put the canonical topology on M, then the morphism M ⊗A A⟨X⟩→M⟨X⟩, m ⊗a 7− →ma is an isomorphism of A⟨X⟩-modules.
(ii) The ring A⟨X⟩is faithfully flat over A.
(iii) For every f ∈A, the ring A⟨X⟩/(f −X) and A⟨X⟩/(1 −fX) are flat over A.
136 IV.3 Proof of theorem IV.1.1.5 in cases (a), (c) and (d) Corollary IV.3.3.3. (Proposition 8.29 of .) Suppose that A is strongly Noetherian, and let U ⊂V be two rational domains of X = Spa(A, A+).
Then the restriction map OX(V ) →OX(U) is flat.
Corollary IV.3.3.4. (Corollary 8.31 of .) Suppose that A is strongly Noetherian, and let (Ui)1≤i≤n be a finite rational covering of X. Then the morphism OX(X) → n Y i=1 OX(Ui) is faithfully flat.
Corollary IV.3.3.5. (Lemma 8.32 of .) Suppose that A is strongly Noetherian. Then, for every simple Laurent covering (U, V ) of X, the sequence 0 →OX(X) →OX(U) ⊕OX(V ) →OX(U ∩V ) →0 of proposition IV.2.2.1 is exact.
IV.3.4 Cases (c) and (d) We now finish the proof of theorem IV.1.1.5 in cases (c) and (d). We assume that A is a Tate ring and fix a topologically nilpotent unit ϖ of A. By corollary III.6.4.3, we can (and will) assume that A is complete.
Consider property P of corollary IV.3.2.1 for the presheaf OX. If A is stably uniform (resp.
strongly Noetherian), then, by corollary IV.3.1.3 (resp. IV.3.3.5), P holds for every simple Laurent covering of every rational domain of X. By corollary IV.3.2.1, this implies that P holds for every rational covering of every rational domain of X. Let B be the set of rational domains of X; this is a base of the topology of X, and we have just shown that OX is a sheaf of abelian groups, hence of abstract rings, on B (i.e. it satisfies the sheaf condition for every covering of a rational domain by rational domains).
We want to prove that OX is a sheaf of topological rings. We use the criterion of EGA I chapitre 0 (3.2.2); if we combine it with the observations of EGA I chapitre 0 (3.1.4), it says that it suffices to check that, for every U ∈B and every rational covering (Ui)i∈I of U, the sequence (∗) 0 →OX(U) → Y i∈I OX(Ui) → Y i,j∈I OX(Ui ∩Uj) is exact (as a sequence of abelian groups) and the morphism ϕ : OX(U) → Y i∈I OX(Ui) is strict. We already know that () is exact.
137 IV When is the structure presheaf a sheaf ?
We show the strictness of ϕ. For A stably uniform, this is corollary IV.3.1.2, but this does not work for A stronly Noetherian. Here is an argument that works in both cases : First, as X is quasi-compact, we may assume that I is finite. By the exactness of (), the image of ϕ is the kernel of the continuous map Q i∈I OX(Ui) →Q i,j∈I OX(Ui ∩Uj), so it is closed in Q i∈I OX(Ui), and in particular it is a complete OX(U)-module. So the fact that ϕ : OX(U) →Im ϕ is open just follows from the open mapping theorem (theorem II.4.1.1).
Finally, we need to prove that Hi(U, OX) = 0 for every rational domain U of X and every i ≥1. But this follows immediately from the similar property for ˇ Cech cohomology (with respect to rational coverings) and from [25, Lemma 01EW].
Let us outline the proof given in that referece. We see OX as a sheaf of abstract rings in this paragraph. Consider the category A of sheaves of (abstract) abelian groups F such that, for every rational domain U of X and every rational covering U of U, the canonical map F(U) →ˇ C •(U , F) is a quasi-isomorphism (i.e. the augmented ˇ Cech complex associated to U is acyclic). By the beginning of the proof, OX is an object of A . We claim that, for every object F of A , every rational domain U of X and every i ≥1, we have Hi(U, F) = 0. We prove this claim by induction on i. So suppose that i ≥1 and that we know the claim for every j < i. Let F be an object of A . Choose an injective morphism of F into an injective abelian sheaf I . Let U be a rational covering of a rational domain U of X. Note that I|U is still injective as an abelian sheaf on U. As the forgetful functor from sheaves to presheaves admits a lft adjoint (the sheafification functor), it preserves injective objects, so I|U is still injective when seen as a presheaf of abelian groups on U. As the ˇ H i(U , .) are the right derived functors of ˇ H 0(U , .) on the category of presheaves of abelian groups on U (see [25, Lemma 01EN]), we have ˇ H i(U , I ) = 0 for every i ≥1. In particular, I is an object of A .
Let G be the cokernel of the map F →I . It is easy to see (cf. [25, Lemma 01EU]) that the vanishing of ˇ H 1(U , I ) for every rational covering of a rational domain of X im-plies that, for every rational domain U of X, the I (U) →G (U) is surjective. Also, using the long exact sequence of ˇ Cech cohomology coming from the exact sequence of presheaves 0 →F →I →G →0, and using the fact that F and I are in A , we see that G is also an object of A .
Fix a rational domain U of X and consider the long exact sequence of cohomology groups : 0 →F(U) →I (U) →G (U) →H1(U, F) →H1(U, I ) →H1(U, G ) →. . .
. . . →Hi−1(U, G ) →Hi(U, F) →Hi(U, I ) →Hi(U, G ) →. . .
As I is injective, we have Hp(U, I ) = 0 for every p ≥1. So, if i ≥2, then the exact sequence above and the induction hypothesis applied to G imply that Hi(U, F) = 0. Suppose that i = 1. As I (U) →G (U), the map H1(U, F) →H1(U, I ) = 0 is injective, so we also get H1(U, F) = 0.
138 IV.3 Proof of theorem IV.1.1.5 in cases (a), (c) and (d) IV.3.5 Case (a) We explain how to prove theorem IV.1.1.5 in case (a), i.e., when the topology on b A is discrete.
Again, by corollary III.6.4.3, we can (and will) assume that A is complete, so that A is a discrete ring. Then A+ can be any integrally closed subring of A, and Spa(A, A+) = {x ∈Spv(A) | ∀a ∈A+, |a|x ≤1}.
Remember that we have a continuous and spectral map supp : Spv(A) → Spec(A), x 7− →Ker(|.|x). We also denote by supp its restriction to the subset Spa(A, A+). Note that the map supp : Spa(A, A+) →Spec(A) is surjective because, for every ℘∈Spec(A), the trivial valuation with support ℘is in Spa(A, A+). For the same reason, for every finite subset T of A and every s ∈A, the image of R T s ⊂Spa(A, A+) by supp is the principal open subset D(s) of Spec(A).
Let T ⊂A be a finite subset and s ∈A. Then A T s is the ring A[s−1] with the discrete topology, so OX(R T s ) = A[s−1] with the discrete topology. Also, as supp(R T s ) = D(s) is open, we have (supp∗OSpec(A))(R T s ) = OSpec(A)(D(s)) = OX(R T s ).
This shows that the presheaves OX and supp∗OSpec(A) coincide on the family of rational domain of X, and in particular that OX is a sheaf on this family and that its augmented ˇ Cech complex for any rational covering of a rational domain is exact.
We now get the result by applying the criterion of EGA I chapitre 0 (3.2.2) (to show that OX is a sheaf) and [25, Lemma 01EU] (to show that its higher cohomology vanishes on rational domains) as in section IV.3.4.
139 V Perfectoid algebras In this chapter, we will study the main example of stably uniform Tate rings, i.e. perfectoid Tate rings. The main references are Scholze’s papers and , as well as Fontaine’s Bourbaki seminar and Bhatt’s notes .
In all this chapter, we fix a prime number ℓ.
V.1 Perfectoid Tate rings V.1.1 Definition and basic properties Definition V.1.1.1. (Section 1.1 of , definition 3.1 of ) Let A be a Tate ring. We say that A is perfectoid if A is complete and uniform, and if there exists a pseudo-uniformizer ϖ of A such that (a) ϖℓdivides ℓin A0; (b) the Frobenius map Frob : A0/ϖ →A0/ϖℓ, a 7− →aℓis bijective.
If A is a perfectoid Tate ring and a field, we say that A is a perfectoid field.
Note that condition (a) implies that A0/ϖ is a ring of characteristic ℓ, so the Frobenius map in (b) is a morphism of rings.
Remark V.1.1.2. It follows from proposition V.1.1.3 that, if A is a perfectoid Tate ring, then every pseudo-uniformizer ϖ of A such that ϖℓdivides ℓin A0 satisfies condition (b) of definition V.1.1.1.
Note also that, if A is perfectoid of characteristic 0, then ℓis topologically nilpotent (because it is a multiple in A0 of some uniformizer), so, if ℓis invertible in A, then the topology on A0 is the ℓ-adic topology and A = A0[ 1 ℓ] (by proposition II.2.5.2).
Finally, remember that perfectoid Tate ring, like all complete uniform Tate rings, are reduced.
(See remark IV.1.1.3.) Proposition V.1.1.3. (Lemma 3.9 of .) Let A be a Tate ring, and let ϖ be a pseudo-uniformizer of A such that ϖℓdivides ℓin A0.
141 V Perfectoid algebras (i) The map Frob : A0/ϖ →A0/ϖℓ, a 7− →aℓis injective.
(ii) If A is complete and uniform, then the following conditions are equivalent : (a) every element of A0/ℓϖA0 is a ℓth power; (b) every element of A0/ℓA0 is a ℓth power; (c) every element of A0/ϖℓA0 is a ℓth power.
Moreover, if these conditions holds, then there exist units u and v in A0 such that uϖ and vℓadmit compatible systems of ℓ-power roots in A0.
Proof.
(i) Let a ∈A0 such that aℓ∈ϖℓA0. Then (aϖ−1)ℓ∈A0, so aϖ−1 ∈A0, and a ∈ϖA0.
(ii) As ϖℓdivides ℓand ℓdivides ℓϖ in A0, it is clear that (a) implies (b) and (b) implies (c).
We want to show that (c) implies (a).
Suppose that (c) holds, and let a ∈A0.
By lemma V.1.1.5, there exists a sequence (an)n≥0 of elements of A0 such that a = P n≥0 aℓ nϖℓn. By lemma V.1.1.6, this implies that a −(P n≥0 anϖn)ℓ∈ϖℓA0, which gives (a).
We prove the last statement. By lemma V.1.1.7 (applied to A0 and to A0/πℓA0), the canon-ical map lim ← −a7− →aℓA0 →lim ← −a7− →aℓA0/ϖℓA0 is an isomorphism. In particular, we can find ω = (ω(n)) ∈lim ← −a7− →aℓsuch that ω(0) = ϖ mod. ϖℓA0 (resp. ω(0) = ℓmod. ϖℓA0). In other words, there exists a ∈A0 such that ω(0) = ϖ(1 + ℓa) (resp. ω(0) = ℓ(1 + ϖa)).
The claim now follows from the fact that, for every a ∈A0, 1 + ϖa and 1 + ℓa are units in A0 (because ϖa and ℓa are topologically nilpotent).
The following corollary is an immediate consequence of the proposition, but it is convenient when we want to prove that a Tate ring is perfectoid.
Corollary V.1.1.4. Let A be a complete uniform Tate ring. Then the following conditions are equivalent : (i) A is a perfectoid; (ii) every element of A0/ℓA0 is a ℓth power, and A has a pseudo-uniformizer ϖ such that ϖℓ divides ℓin A0.
Lemma V.1.1.5. We use the notation of proposition V.1.1.3. Suppose that every element of A0/ϖℓA0 is a ℓth power, and let a ∈A0.
Then there exists a sequence (an)n≥0 of elements of A0 such that, for every n ∈N, a −Pn i=0 aℓ iϖℓi ∈ϖℓ(n+1)A0.
142 V.1 Perfectoid Tate rings Proof. We construct the elements an by induction on n. The assumption immediately implies that there exists a0 ∈A0 such that a −aℓ 0 ∈ϖℓA0. Suppose that n ≥1 and that we have found a0, . . . , an−1 such that a −Pn−1 i=0 aℓ iϖℓi ∈ϖℓnA0. Let b ∈A0 such that a −Pn−1 i=0 aℓ iϖℓi = ϖℓnb, and choose an ∈A0 such that b −aℓ n ∈ϖℓA0. Then a −Pn i=0 aℓ iϖℓi ∈ϖℓ(n+1)A0.
The following lemma is an easy consequence of the binomial formula.
Lemma V.1.1.6. We use the notation of proposition V.1.1.3.
For all a, b ∈A0, we have (a + ϖb)ℓ−aℓ−(ϖb)ℓ∈ϖℓA0.
Lemma V.1.1.7. (Lemma 3.4(i) of .) Let S be a ring and ϖ ∈S. Suppose that S is ϖ-adically complete (and Hausdorff) and that ϖ divides ℓin S. Then the canonical map lim ← − a7− →aℓ S →lim ← − a7− →aℓ S/ϖS is an isomorphism of topological monoids (where the monoid operations are given by the multi-plications of the rings).
Proof. Let S1 = lim ← −a7− →aℓS and S2 = lim ← −a7− →aℓS/ϖS. We prove the statement by constructing a continuous multiplicative inverse of the canonical map S1 →S2.
First, we construct a continuous multiplicative map α : S2 →S such that α((sn)n≥0) = s0 mod. πS. Let (sn)n≥0 ∈S2. Choose representatives sn ∈S of the sn. We claim that : (i) limn→+∞sℓn n exists; (ii) the limit in (i) is independent of the choice of the representatives sn.
To prove (i), note that, for every n ∈N, we have sℓ n+1 −sn ∈ϖS. Applying lemma V.1.1.6 repeatedly and using the fact that ϖ divides ℓ, we deduce that sℓn+1 n+1 −sℓn n ∈ϖn+1S. This implies that (sℓn n )n≥0 is a Cauchy sequence in S, so it has a limit. To prove (ii), choose some other lifts s′ n of the sn. Then, for every n ∈N, we have s′ n −sn ∈ϖS, so as before we get (s′ n)ℓn −sℓn n ∈ϖn+1S. This implies that limn→+∞sℓn n = limn→+∞(s′ n)ℓn.
By claims (i) and (ii), we can define a map α : S2 →S by sending (sn)n≥0 to limn→+∞sℓn n , where the sn ∈S are any lifts of the sn. It is clear that α is multiplicative, and it is also easy to see that it is continuous.
Note that, if s = (sn)n≥0 ∈S2, then it has a canonical ℓth root, which is its shift s′ = (sn+1)n≥0, and we have α(s′)ℓ= α(s) by definition of α.
We now get the desired map S2 →S1 by sending (sn)n≥0 ∈S2 to the sequence (α((sr+n)n≥0))r≥0, which is clearly an element of S1.
143 V Perfectoid algebras We now look at two particular cases : perfectoid fields and perfectoid rings of characteristic ℓ.
Proposition V.1.1.8. (Proposition 3.5 of .) Let A be a Tate ring of characteristic ℓ. Then the following are equivalent : (i) A is perfectoid.
(ii) A is complete and perfect.
Proof. Suppose that A is complete and perfect. Then it is also uniform by theorem IV.1.3.5. So, by corollary V.1.1.4, it suffices to check that every element of A0 is a ℓth power, which follows immediately from the fact that A is perfect.
Conversely, suppose that A is perfectoid. Then it is complete by assumption, and we want to show that it is perfect. As A is a localization of A0, it suffices to show that A0 is perfect. As ℓ= 0 in A, we have A0/ℓA0 = A0, so the conclusion follows from proposition V.1.1.3(ii).
For fields, we have the following result of Kedlaya.
Theorem V.1.1.9. (Theorem 4.2 of .) Let A be a perfectoid Tate ring that is also a field.
Then the topology of A is given by a rank 1 valuation; in other words, A is a complete non-Archimedean field.
This implies that the definition of perfectoid field given here is equivalent to their original definition (definition 3.1 of ).
Proposition V.1.1.10. Let K be a complete topological field. Then the following conditions are equivalent : (i) K is a perfectoid field; (ii) the topology of K is given by a rank 1 valuation |.| satisfying the following conditions : (a) |.| is not discrete (i.e., its valuation group is not isomorphic to Z); (b) |ℓ| < 1; and the ℓth power map on K0/ℓK0 is surjective.
Proof. Suppose that K is perfectoid. Then we know that its topology is given by a rank 1 valu-ation |.| by theorem V.1.1.9. By corollary V.1.1.4, the ℓth power map on K0/ℓK0 is surjective, and K has a pseudo-uniformizer ϖ such that ϖℓdivides ℓin K0. In particular, ℓis topologically nilpotent in K, so |ℓ| < 1.
Now suppose that K satisfies the conditions of (ii). Then K0 = {a ∈K | |a| ≤1}, so K0 is bounded in K, i.e. K is uniform. We check that K satisfies the conditions of corollary 144 V.1 Perfectoid Tate rings V.1.1.4(ii). The first condition is part of the assumption on K. For the second condition, note that, as |.| is not discrete, there exists ϖ ∈K −{0} such that |ϖ|ℓ≤|ℓ|. In particular, |ϖ| < 1, so ϖ is topologically unipotent, hence a pseudo-uniformizer of K; moreover, as |ℓϖ−ℓ| ≤1, we have ℓϖ−ℓ∈K0, which means that ϖℓdivides ℓin K0.
Example V.1.1.11. (See 3.3, 3.4 of .) (1) The field Qℓis not perfectoid because its topology is given by a discrete valuation.
(2) The field Cℓis perfectoid; more generally, any algebraically closed complete non-archimedean field is perfectoid.
(3) Let Qcycl ℓ be the completion of Qℓ[µ1/ℓ∞] := S n≥0 Qℓ[µ1/ℓn] for the unique valuation |.| extending the ℓ-adic valuation on Qℓ, and let Zcycl ℓ = (Qcycl ℓ )0. Then Qcycl ℓ is perfec-toid. Indeed, it is complete non-Archimedean. For every r ≥1, the cyclotomic exten-sion Qℓ[µ1/ℓr]/Qℓis of degree ℓr−1(ℓ−1), and, if ω is a primitive ℓrth root of 1, then NQℓ[ω]/Qℓ(1 −ω) = ℓ, hence |ω|ℓr−1ℓ= |ℓ|. This shows that |.| is not a discrete valuation.
We obviously have |ℓ| < 1. Finally, let a ∈Zcycl ℓ /ℓZcycl ℓ . We can find a lift a of a in the ring of integers of Qℓ[µ1/ℓn] for some n ≥0. Pick a primitive ℓn+1th root of unity ω. Then we can write a = Pℓn−1 i=0 aiωℓi, with the ai in Zℓ. Then, if b = Pℓn−1 i=0 aiωi, then bℓ= a modulo ℓZcycl ℓ .
(4) Similarly, the completion L of Qℓ[ℓ1/ℓ∞] := S n≥0 Qℓ[ℓ1/ℓn] for the unique valuation |.| extending the ℓ-adic valuation on Qℓis a perfectoid field. Indeed, K is complete and non-Archimedean, and the valuation group of |.| is not isomorphic to Z because its element |ℓ| < 1 is divisible by ℓr for every r ∈N. Also, we have K0/ℓK0 = Fℓ, so every element of K0/ℓK0 is a ℓth power.
(5) As in (3), we can show that the completion Fℓ((t1/ℓ∞)) of S n≥0 Fℓ((t1/ℓn)) for the unique valuation extending the t-adic valuation on Fℓ((t)) is a perfectoid field. This construction still makes sense if we replace Fℓby any ring A, and it gives a perfectoid field if A is a perfect field of characteristic ℓ.
(6) Let K be a perfectoid field of characteristic 0.
If A0 is the ℓ-adic completion of S n≥0 K0[T 1/ℓn], then K⟨T 1/ℓ∞⟩:= A0[ 1 ℓ] is a perfectoid Tate ring. (See proposition V.1.2.8.) Note that, if n ≥0, then the Gauss norms on K⟨T 1/ℓn+1⟩and on its subring K⟨T 1/ℓn⟩coincide, so we get a norm on S n≥0 K⟨T 1/ℓn⟩. Then K⟨T 1/ℓ∞⟩is the comple-tion of S n≥0 K⟨T 1/ℓn⟩for this norm.
Note that the construction of A⟨T 1/ℓ∞⟩makes sense for any f-adic ring A.
(6) Finally, we give an example of a perfectoid Tate alegbra that does not contain a field. First, consider the f-adic ring A0 = Zcycl ℓ (see (3) and (5)); this is an adic ring, with the T-adic topology. Let B = A⟨(ℓ/T)1/ℓ∞⟩:= A⟨X1/ℓ∞⟩/(ℓ−XT). This is still an adic ring with the T-adic topology. Finally, the f-adic ring B[ 1 T ] is a Tate ring, and it is perfectoid.
145 V Perfectoid algebras A pseudo-uniformizer satisfying the conditions of definition V.1.1.1 is ϖ = T 1/ℓ(note that ϖℓ= T divides ℓin B). The ring B[ 1 T ] doesn’t contain a field, because ℓis nonzero and not invertible in it.
V.1.2 Tilting Proposition V.1.2.1. (Section 1.3 of and lemma 3.10 of .) Let A be a perfectoid Tate ring. We consider the set A♭= lim ← − a7− →aℓ A := {(a(n)) ∈AN | ∀n ∈N, (a(n+1))ℓ= a(n)}, with the projective limit topology, the pointwise multiplication and the addition defined by (a(n)) + (b(n)) = (c(n)), with c(n) = lim r→+∞(a(n+r) + b(n+r))ℓr.
We denote the map A♭→A, (a(n)) 7− →a(0) by f 7− →f ♯.
Then : (i) The addition is well-defined (i.e. the limit above always exists) and makes A♭into a per-fectoid Tate ring of characteristic ℓ.
(ii) The subring A♭0 of power-bounded elements in A♭is given by A♭0 = lim ← − a7− →aℓ A0.
If ϖ is a pseudo-uniformizer of A that divides ℓin A0, then the canonical map A♭0 →lim ← − a7− →aℓ A0/ϖ is an isomorphism of topological rings.
(iii) There exists a pseudo-uniformizer ϖ of A such that ϖℓdivides ℓin A0 and that ϖ is in the image of the map (.)♯: A♭→A. Moreover, if ϖ♭is an element of A♭such that ϖ = (ϖ♭)♯, then ϖ♭is a pseudo-uniformizer of A♭, the map f 7− →f ♯induces a ring isomorphism A♭0/ϖ♭≃A0/ϖ, and A♭= A♭0[ 1 ϖ♭].
Note that, if A is a perfectoid ring of characteristic ℓ, then FrobA : A →A is an isomorphism of topological rings (by the open mapping theorem, i.e. theorem II.4.1.1), so A♭is canonically isomorphic to A (via the map (.)♯).
146 V.1 Perfectoid Tate rings Proof.
(1) Note that the image of the map (.)♯: A♭→A is the set of elements of A that have compatible systems of ℓth power roots. So, by proposition V.1.1.3, there exists a pseudo-uniformizer ϖ of A such that ϖℓdivides ℓin A0 and that ϖ is in the image of (.)♯. Choose ϖ♭∈A♭such that (ϖ♭)♯.
(2) We show that the addition of A♭is well-defined on elements of A♭0. Let (a(n)), (b(n)) be elements of A♭0. Fix n ∈N. For every r ∈N, we have (a(n+r+1) + b(n+r+1))ℓ= (a(n+r+1))ℓ+ (b(n+r+1))ℓ= a(n+r) + b(n+r) mod ℓA0 ⊂ϖA0, so repeated applications of lemma V.1.1.6 give (a(n+r+1) + b(n+r+1))ℓr+1 == (a(n+r) + b(n+r))ℓr mod ϖr+1A0.
This implies that ((a(n+r) + b(n+r))ℓr)r≥0 is a Cauchy sequence, so it admits a limit c(n) in A0. The fact that (c(n+1))ℓ= c(n) for every n (i.e. that (c(n)) is an element of A♭) follows immediately from the definition of c(n).
(3) By lemma V.1.1.7, the canonical map A♭0 = lim ← − a7− →aℓ A0 →lim ← − a7− →aℓ A0/ϖA0 is an isomorphism of topological monoids. We show that it is also compatible with addi-tion. Let (a(n)), (b(n)) be elements of A♭0, and let (c(n)) = (a(n)) + (b(n)). Fix n ∈N.
Then c(n) = lim r→+∞(a(n+r) + b(n+r))ℓr.
But we have seen in the proof of (2) that the sequence ((a(n+r) + b(n+r))ℓr)r≥0 is constant modulo ϖA0, so c(n) = a(n) + b(n) modulo ϖA0. This shows the claim. In particular, we get that A♭0 is a non-Archimedean topological ring of characteristic ℓ.
(4) Write ϖ♭= (ϖ1/ℓn)n≥0. (In other words, we choose a compatible system (ϖ1/ℓn)n≥0 of ℓth power roots of ϖ.) For every a = (a(n)) ∈A♭and every r ∈N, we have (ϖ♭)ra = (ϖr/ℓna(n))n≥0 by definition of the multiplication of A♭. In particular, taking r = ℓ, we see that the isomorphism os topological rings A♭0 ∼ →lim ← −a7− →aℓA0/ϖA0 induces an isomorphism of topological rings A♭0/(ϖ♭)ℓA♭0 ∼ →lim ← − a7− →aℓ A0/ϖℓm−nA0 ≃A0/ϖℓA0, where the last isomorphism follows from condition (b) in definition V.1.1.1, applied to the pseudo-uniformizers ϖ1/ℓn, n ≥0. As the square A♭0/ϖ♭A♭0 Frob (.)♯ ∼ / A0/ϖA0 Frob A♭0/(ϖ♭)ℓA♭0 (.)♯ ∼ / A0/ϖℓA0 is clearly commutative, this shows that Frob : A♭0/ϖ♭A♭0 →A♭0/(ϖ♭)ℓA♭0 is bijective.
147 V Perfectoid algebras (5) We show that A♭0 is ϖ♭-adically Hausdorff and complete. It suffices to show that the ϖ♭-adic topology on A♭0 is finer than the product topology coming from the isomorphism A♭0 ∼ →lim ← −a7− →aℓA0/ϖA0. But, by the formula of (4) for (ϖ♭)r(a(n)), if m ∈N, then the projections of (ϖ♭)ℓmA♭0 on the last m factors of Q n≥0 A0/ϖA0 are 0, which implies the desired result.
(6) We show that addition is well-defined on A♭. Let (a(n)) ∈A♭. We choose N ∈N such that ϖNa(0) ∈A0. Then, for every n ≥0, (ϖN/ℓna(n))ℓn = ϖNa(0) ∈A0, so ϖN/ℓna(n) ∈A0.
This shows that (ϖ♭)N(a(n)) ∈A♭0.
Let (b(n)) be another element of A♭.
Up to increasing N, we may assume that ϖN/ℓnb(n) ∈A0 for every n ∈N. Fix n ∈N. By (2), we know that the sequence (ϖN/ℓn(a(n+r)+b(n+r))ℓr)r≥0 converges in A0. This implies immediately that the sequence ((a(n+r) + b(n+r))ℓr)r≥0 converges in A.
(7) Using the fact that A♭0 is a topological ring and the calculation of (6), it is easy to check that A♭is a topological ring and that A♭= A♭0[ 1 ϖ♭]. By remark II.2.5.3, A♭is a Tate ring having A♭0 as a ring of definition.
(8) We show that (A♭)0 = A♭0. (This implies that A♭is perfectoid and finishes the proof of the proposition.) As A♭0 is a bounded subring of A♭, we clearly have A♭0 ⊂(A♭)0.
Conversely, let a = (a(n)) ∈(A♭)0. As a is power-bounded, there exists N ∈N such that (ϖ♭)Nan ∈A♭0 for every n ≥0. This implies that ϖN(a(0))n ∈A0 for every n ≥0, i.e. that a(0) is power-bounded. As (a(n))ℓn = a(n) for every n ∈N, a(n) is also power-bounded, and we have shown that a ∈A♭0.
Definition V.1.2.2. The perfectoid Tate ring A♭of proposition V.1.2.1 is called the tilt of A.
Remark V.1.2.3. Let A and A′ be perfectoid Tate algebras, with A′ of characteristic ℓ, and let ϖ and ϖ′ be pseudo-uniformizers of A and A′ such that ϖℓdivides ℓin A0 and that ϖ = (ϖ♭)♯for some pseudo-uniformizer ϖ♭of A♭.
Then any isomorphism ϕ : A0/ϖℓA0 ∼ →A′0/ϖ′ℓA′0 sending ϖ to ϖ′ induces an isomorphism A♭ ∼ →A′.
Indeed, by the second formula in proposition V.1.2.1(ii), we have A♭0 = lim ← −a7− →aℓA0/ϖℓA0 and A′♭0 = lim ← −a7− →aℓA′0/ϖ′ℓA′0, so ϕ induces an isomorphism ψ : A♭0 ∼ →A′♭0 = A′0, and ψ(ϖ♭) = ϖ′ modulo ϖ′ℓA′0. This implies that ψ(ϖ♭) is also a pseudo-uniformizer of A′0, so ψ extends to an isomorphism A♭ ∼ →A′.
Remark V.1.2.4. Let A be a perfectoid Tate ring. Then the map (.)♯: A♭0 →A0 induces an isomorphism of rings A♭0/A♭00 ∼ →A0/A00.
Proof. First note that A00 (resp. A♭00) is an ideal of A0 (resp. A♭0), so the statement makes sense.
By proposition V.1.2.1, we can choose a pseudo-uniformizer ϖ♭of A♭such that ϖ := (ϖ♭)♯is 148 V.1 Perfectoid Tate rings a pseudo-unfiformizer of A, and then (.)♯induces an isomorphism A♭0/ϖ♭A♭0 ∼ →A0/ϖA0. We have A00 ⊃ϖA0, and, by lemma II.1.2.3, A00/ϖA0 is the nilradical of A0/ϖA0. We have a similar result for A♭, and this implies the statement.
Proposition V.1.2.5. Let A be a perfectoid Tate ring. If A+ is a ring of integral elements in A (i.e. an open and integrally closed subring of A contained in A0), then A♭+ := lim ← −a7− →aℓA+ is a ring of integral elements in A♭, and, for every pseudo-uniformizer ϖ♭of A♭such that ϖ := (ϖ♭)♯ is a pseudo-uniformizer of A, the isomorphism A♭0/ϖ♭≃A0/ϖ sends A♭+/ϖ♭to A+/ϖ.
Moreover, this induces a bijection between rings of integral elements in A and A♭.
Proof. Choose pseudo-uniformizers ϖ and ϖ♭of A and A♭such that ϖ = (ϖ♭)♯.
If A+ is a ring of integral elements in A, then ϖA0 ⊂A+ ⊂A0 (the first inclusion comes from the fact that ϖA0 ⊂A00), and A+/ϖA0 is an integrally closed subring of A0/ϖA0. Conversely, if S is an integrally closed subring of A0/ϖA0, then its inverse image in A0 is an open and integrally closed subring of A0, i.e. a ring of integral elements in A. So rings of integral elements in A are in natural bijection with integrally closed subrings of A0/ϖA0. We have a similar result for A♭. As A0/ϖA0 ≃A♭0/ϖ♭A♭0, this gives a bijection betweem rings of integral elements in A and A♭.
It remains to show that this bijection is given by the formula of the proposition. Let A+ be a ring of integral elements in A, and let A♭+ be the corresponding ring of integral elements in A♭.
Let a = (a(n)) ∈A♭0 = lim ← −a7− →aℓA0. We want to check that a ∈A♭+ if and only if a(n) ∈A+ for every n ∈N. First, as A+ is integrally closed in A0, we have a(n) ∈A+ for every n ∈N if and only if a(0) ∈A+. Then, as ϖA0 ⊂A+, we have a(0) ∈A+ if and only if a(0)+ϖA0 ∈A+/ϖA0.
But a(0) + ϖA0 is the image of a + ϖ♭A♭0 by the isomorphism A0/ϖA0 ≃A♭0/ϖ♭A♭0, and this isomrophism sends A+/ϖA0 to A♭+ϖ♭A♭0, so we get the desired equivalence.
Definition V.1.2.6. If A is a perfectoid Tate ring and A+ ⊂A is a ring of integral elements, we say that (A, A+) is a perfectoid Huber pair and we call (A♭, A♭) its tilt.
Proposition V.1.2.7. (Proposition 3.6 of .) Let A be a perfectoid Tate ring. Then, for every continuous valuation |.| : A →Γ ∪{0} on A, the map |.|♭: A♭→Γ ∪{0}, a 7− →|a♯| is a continuous valuation on A♭.
Moreover, if A = K is a perfectoid field, then this induces a bijection Cont(K) ∼ →Cont(K♭).
Proof. Let |.| : A →Γ ∪{0} be a continuous valuation on A. Then |.|♭obviously satisfies all the properties of a valuation on A♭, except maybe for the strong triangle inequality. We check this last property. Let a = (a(n)) and b = (b(n)) be elements of A♭. By definition of the addition on A♭, we have (a + b)♯= lim n→+∞(a(n) + b(n))ℓn = lim n→+∞((a1/ℓn)♯+ (b1/ℓn)♯)ℓn, 149 V Perfectoid algebras so |a + b|♭= |(a + b)♯| ≤sup n∈N (max(|(a1/ℓn)♯|ℓn, |(b1/ℓn)♯|ℓn)) = max(|a|♭, |b|♭).
We show that |.|♭is continuous. Let γ ∈Γ. By definition |.|♭, {a ∈A♭| |a|♭< γ} is the inverse image by the continuous map (.)♯: A♭→A of the open subset {a ∈A | |a| < γ} of A, so it is an open subset of A♭.
Now assume that K is a perfectoid field. We want to show that |.| 7− →|.|♭induces a bijection Cont(K) ∼ →Cont(K♭). By corollary II.2.5.11, Cont(K) is canonically in bijection with the set of valuation subrings K+ of K such that K00 ⊂K+ ⊂K0, hence with the set of valuation subrings of the field K0/K00. We have a similar statement for K♭. So the result follows from remark V.1.2.4.
We fnish with some examples of tilting.
Proposition V.1.2.8. (Proposition 5.20 of .) Let K be a perfectoid field, and let ϖ be a pseudo-uniformizer of K and K+ be a ring of integral elements in K. As in example V.1.1.11(6), we denote by K+⟨X1/ℓ∞⟩the ϖ-adic completion of the ring S n≥0 K+[X1/ℓn], and we set K⟨X1/ℓ∞⟩= K+⟨X1/ℓ∞⟩[ 1 ϖ] (note that this last ring does not depend on the choice of K+).
Then K⟨X1/ℓ∞⟩ is perfectoid, with ring of power-bounded elements (K⟨X1/ℓ∞⟩)0 = K0⟨X1/ℓ∞⟩, and its tilt is canonically isomorphic to K♭⟨X1/ℓ∞⟩.
Moreover, K+⟨X1/ℓ∞⟩is a ring of integral elements in K⟨X1/ℓ∞⟩and the tilt of (K⟨X1/ℓ∞⟩, K+⟨X1/ℓ∞⟩) is (K♭⟨X1/ℓ∞⟩, K♭+⟨X1/ℓ∞⟩).
Proof. Set A = K⟨X1/ℓ∞⟩and A+ = K+⟨X1/ℓ∞⟩.
We know that A is a complete Tate ring and that A0 := K0⟨X1/ℓ∞⟩is a ring of definition of A by remark II.2.5.3. In particu-lar, we have A0 ⊂A0. Also, if we set A′ 0 = S n≥0 K0[X1/ℓn] with the ϖ-adic topology and A′ = A′ 0[ 1 ϖ], then, by the same remark, A′ is a Tate ring with ring of definition A′ 0 and, by corollary II.3.1.9(v), A is the completion of A′. So, by proposition II.3.1.12(i), to show that A0 = A0, it suffices to show that (A′)0 = A′ 0. Let f ∈(A′)0. Then there exists n ∈N such that f ∈K0[X1/ℓn][ 1 ϖ] = K[X1/ℓn], and we want to show that f is in K0[X1/ℓn]. Without loss of generality, we may assume that n = 0, so that f ∈K[X]. Denote by |.| the rank 1 valuation giving the topology of K. Suppose that f ̸∈K0[X], write f = P s≥0 asXs, and let r be the smallest integer such that |ar| = maxs≥0 |as|. Then |as| ≤|ar| for every s, and |as| < |ar| if s < r; also, for every n ∈Z, we have |n · 1K| ≤1. So, if n ∈N, then the coefficient α of Xrn in f n satisfies |α| = |ar|n. This shows that the set {f n, n ∈N} is not bounded, so f is not power-bounded.
We have shown that A is uniform. As K is perfectoid, we may assume that ϖ ∈K+ and that ϖℓdivides ℓin K+; then ϖ is a pseudo-uniformizer of A, and ϖℓdivides ℓin A+, and in 150 V.1 Perfectoid Tate rings particular in A0 ⊃A+. It remains to show that every element of A0/ϖA0 is a ℓth power. But this is obvious, because A0/ϖA0 = S n≥0(K0/ϖK0)[X1/ℓn].
We may assume that ϖ = (ϖ♭)♯, with ϖ♭∈K♭+ a pseudo-uniformizer of K♭. Then we have a canonical isomorphism A+/ϖℓA+ ≃A♭+/(ϖ♭)ℓA♭+. By remark V.1.2.3, this extends to an isomorphism A♭ ∼ →K♭⟨X1/ℓ∞⟩sending A♭+ to K♭+⟨X1/ℓ∞⟩.
Proposition V.1.2.9. (Lemma 5.21 of .) Let A be a perfectoid Tate algebra. Then A is a perfectoid field if and only if A♭is a perfectoid field.
Proof. Let a = (a(n)) ∈A♭= lim ← −c7− →cℓA. As A is reduced (see remark IV.1.1.3), a = 0 if and only if a(0) = 0. On the other hand, as (a(n))ℓn = a(0) for every n ∈N, we have a ∈(A♭)× if and only if a(0) ∈A×. This shows that A♭is a field if and ony if A is a field. By theorem V.1.1.9, this finishes the proof.
Example V.1.2.10. Let L be the perfectoid field of example V.1.1.11(4).
Then (Qcycl ℓ )♭= L♭= Fℓ((t1/ℓ∞)). (We can prove this using remark V.1.2.3.) V.1.3 Witt vectors We will explain Fontaine’s approach to untilting using Witt vectors, so we need a few reminders about their construction and properties. A reference for this is chapitre II §6.
Consider the Witt polynomials W0, W1, . . . ∈Z[X0, X1, . . .], defined by Wm = m X n=0 Xℓm−n n ℓn = Xℓm 0 + ℓXℓm−1 1 + . . . + ℓm−1Xℓ m−1 + ℓmXm.
Theorem V.1.3.1. ( chapitre II §6, Th´ eoreme 5.) For every Φ ∈Z[X, Y ], there exists a unique sequence (ϕn)n≥0 of elements of the polynomial ring Z[Xn, Yn, n ∈N] such that, for every m ∈N : Wm(ϕ0, ϕ1, . . .) = Φ(Wm(X0, X1, . . .), Wm(Y0, Y1, . . .)).
Applying this theorem to the polynomials X + Y and XY , we get sequences of polynomials (Sn)n≥0 and (Pn)n≥0.
Theorem V.1.3.2. ( chapitre II §6, Th´ eor eme 6.) Let A be a commutative ring. We write W(A) = AN, and define an addition and multiplication on W(A) by a + b = (S0(a, b), S1(a, b), . . .) 151 V Perfectoid algebras and a · b = (P0(a, b), P1(a, b), . . .), for a, b ∈AN. Then this makes W(A) into a commutative ring, called the ring of Witt vectors of A.
We denote by W∗the map W(A) →AN sending a to the sequence (W0(a), W1(a), . . .). The idea is that this map is an isomorphism of rings if ℓis invertible in A, and that we can reduce to this case by functoriality.
The ring morphism Wm : W(A) →A is called the mth ghost component map.
Definition V.1.3.3. ( chapitre II §5.) A strict ℓ-ring is a commutative ring A such that ℓis not a zero divisor in A, A is complete (and Hausdorff) for the ℓ-adic topology and the ring A/ℓA is perfect.
Proposition V.1.3.4. ( chapitre II §5 proposition 8.) If A is a strict ℓ-ring, there exists a unique multiplicative section of the reduction map A →A/ℓA.
We denote this section by a 7− →[a] and call it the Teichm¨ uller representative.
Theorem V.1.3.5. ( chapitre II §5 th´ eoreme 5 and §6 th´ eor eme 7.) Let A be a perfect ring of characteristic ℓ. Then there exists a unique (up to unique isomorphism) strict ℓ-ring B such that B/ℓB = A, and this ring is canonically isomorphic to W(A).
Moreover, the isomorphism from W(A) to B sends a = (an)n≥0 to P m≥0[a1/ℓm m ]ℓm.
In particular, if A is a perfect ring of characteristic ℓ, then we have a Teichm¨ uller representative [.] : A →W(A), and every element of W(A) can be written as P n≥0[an]ℓn, with the an ∈A uniquely determined.
V.1.4 Untilting We will use the ring of Witt vectors to “untilt” a perfectoid Tate ring of characteristic ℓ. First we need a definition.
Definition V.1.4.1. (Section 1.4 of and definition 3.15 of .) Let (A, A+) be a perfectoid Huber pair of characteristic ℓ. An ideal I of W(A+) is called primitive of degree 1 if it is generated by an element ξ of the form ξ = ℓ+ [ϖ]α, where ϖ is a pseudo-uniformizer of A and α ∈W(A+). We also say that the element ξ of W(A+) is primitive of degree 1.
Lemma V.1.4.2. (Lemma 3.16 of .) Any element ξ of W(A+) that is primitive of degree 1 is torsionfree in W(A+).
152 V.1 Perfectoid Tate rings Proof. Write ξ = ℓ+ [ϖ]α, where ϖ is a pseudo-uniformizer of A and α ∈W(A+). Let b ∈W(A+) such that bξ = 0. We want to show that b = 0. By theorem V.1.3.5, we can write b = P n≥0[an]ℓn, with the an ∈A+ uniquely determined, and it suffices to show that all the an are 0. We show by induction on r that an ∈ϖrA+ for every n, r ∈N, which implies that an = 0 because A+ is ϖ-adically separated. The result is obvious for r = 0. Suppose that r ≥1 and that we have an ∈ϖr−1A+ for every n. Then we can write an = ϖr−1a′ n with a′ n ∈A+.
Let b′ = P n≥0[a′ n]ℓn ∈W(R+). Then we have 0 = bξ = [ϖ]r−1b′ξ, so b′ξ = 0 because [ϖ] is not a zero divisor in W(A+). Reducing the euqlity (ℓ+ [ϖ]α)b′ = 0 modulo [ϖ] gives P n≥0[a′ n]ℓn+1 ∈[ϖ]W(A+), hence a′ n ∈ϖA+ for every n ∈N, and we are done.
Theorem V.1.4.3. (Lemma 3.14 of .) Let (A, A+) be a perfectoid Huber pair, and let (A♭, A♭+) be its tilt.
(i) The map θ : W(A♭+) → A+ P n≥0[an]ℓn 7− → P n≥0 a♯ nℓn is a surjective morphism of rings.
(ii) The kernel of θ is primitive of degree 1.
Note that, if char(A) = ℓ(so that A♭= A), then Ker θ is the ideal generated by ℓ(which is primitive of degree 1).
Proof. Choose a pseudo-uniformizer ϖ♭of A♭such that ϖ := (ϖ♭)♯is a pseudo-uniformizer of A and that ϖℓdivides ℓin A+. (We have seen that we can choose ϖ♭and ϖ satisfying all these properties, except that ϖ♭may not be in A♭+ and ϖℓonly divides ℓin A0. But, as A♭+ and A+ are open and ϖ♭and ℓϖ1−ℓare topologically nilpotent (for the second one, because it is in ϖA0), there exists some integer N ≥1 such that (ϖ♭)N ∈A♭+ and ℓNϖN−Nℓ∈A+, and we get the last property if we replace ϖ♭by (ϖ♭)N.) (i) We first check that θ is a morphism of rings. It suffices to check that its composition with each projection A+ →A+/ϖmA+ is a morphism of rings.
Fix m ≥1.
Re-member that we have the mth ghost component map Wm : W(A+) →A+, sending (an)n≥0 ∈W(A+) to Pm n=0 aℓm−n n ℓn. The composition W(A+) Wm →A+ →A+/ϖmA+ sends a family (an)n≥0 of elements of ϖA+ to 0, hence it factors through a mor-phism of rings W(A+/ϖA+) →A+/ϖmA+.
We can compose this with the map A♭+ = lim ← −A+ →A+/ϖA+, (a(n)) 7− →a(m) + ϖA+ to get a morphism of rings θ′ : W(A♭+) →W(A+/ϖA+) →A+/ϖmA+. We claim that θ′ is the composition of θ with the projection A+ →A+/ϖmA+. Indeed, let a = (an)n≥0 ∈W(A♭+), and write an = (a(i) n )i≥0. Then a = P n≥0[a1/ℓn n ]ℓn, so θ(a) = X n≥0 (a1/ℓn n )♯ℓn = X n≥0 a(n) n ℓn.
153 V Perfectoid algebras On the other hand, the image of a in W(A+/ϖA+) is the sequence (a(m) n + ϖA+)n≥0. A lift of this in W(A+) is (a(m) n )n≥0. Applying the map Wm : W(A+) →A+/ϖmA+, we get θ′(a) = m X n=0 (a(m) n )ℓm−nℓn = m X n=0 a(n) n ℓn.
Now we show that θ is surjective.
We have θ([ϖ♭]) = ϖ, and the map W(A♭+)/[ϖ♭]W(A♭+) → A+/ϖA+ induces by θ sends P n≥0[an]ℓn to (a0)♯+ ϖA+, so it is the composition of the canonical maps W(A♭+) → A♭+ and A♭+ → A♭+/ϖ♭A♭+ ≃ A+/ϖA+, and in particular it is surjec-tive.
As W(A♭+) is [ϖ♭]-adically complete (because, for every r ∈ N, [ϖ♭]rW(A♭+) = {P n≥0[an]ℓn, an ∈(ϖ♭)rW ♭+) and A+ is ϖ-adically complete, this implies that θ is surjective by 25, Lemma 0315.
(ii) First we show that there exists f ∈ϖ♭A♭+ such that f ♯= ℓmodulo ℓϖA+. Indeed, as ϖℓdivides ℓin A+, α := ℓϖ−1 ∈A+. As every element of A+/ℓA+ is a ℓth power, there exists β ∈A♭+ such that β♯= α modulo ℓA+. Take f = ϖ♭β. Then f ♯= ϖβ♯is equal to ϖα = ℓmodulo ℓϖA+.
By the claim proved in the previous paragraph the surjectivity of θ, we can write ℓ= f ♯+ ℓ(ϖ♭)♯X n≥0 a♯ nℓn for some f ∈ϖ♭A♭+ and an ∈A♯+. Let ξ = ℓ−[f] −[ϖ♭] X n≥0 [an]ℓn+1 ∈W(A♭+).
Then ξ is primitive of degree 1 (because ϖ♭divides f in A♭+, so [ϖ♭] divides [f] in W(A♭+)), and θ(ξ) = 0 by the choice of f and the an.
It remains to show that Ker(θ) = ξW(A♭+).
Note that ξ ∈ℓ+ [ϖ♭]W(A♭+), so W(A♭+)/(ξ, [ϖ♭]) = W(A♭+)/(ℓ, [ϖ♭]) ≃ A♭+/ϖ♭A♭+, and the map W(A♭+)/(ξ, [ϖ♭]) →A+/ϖA+ induced by θ is the map (.)♯: A♭+/ϖ♭A♭+ →A+/ϖA+, which is an isomorphism. To conclude that θ induces an isomorphism, it suffices (by lemma V.1.4.4) to check that W(A♭+)/(ξ) is [ϖ♭]-adically complete.
To show that W(A♭+)/(ξ) is [ϖ♭]-adically complete, consider the short exact sequence of W(A♭+)-modules 0 →ξW(A♭+) →W(A♭+) →W(A♭+)/(ξ) →0.
As ξ is not a zero divisor (lemma V.1.4.2), the W(A♭+)-module ξW(A♭+) is flat, and so, by lemma 25, Lemma 0315, the sequence of [ϖ♭]-adic completions is still exact. But the first two modules are [ϖ♭]-adically complete, so the third must also be [ϖ♭]-adically complete.
154 V.1 Perfectoid Tate rings Lemma V.1.4.4. Let R be a ring, let ϖ ∈R, and let θ : M →N be a morphism of R-modules.
Suppose that M and N are ϖ-adically complete and Hausdorff, that N is ϖ-torsionfree, and that θ induces an isomorphism M/ϖM ∼ →N/ϖN. Then θ is an isomorphism.
Proof. We already know that θ is surjective, by 25, Lemma 0315. To show that θ is injective, it suffices to show that, for every n ≥1, the morphism M/ϖnM →N/ϖnN induces by θ is injective. We show this by induction on n. The case n = 1 is the assumption, so suppose that n ≥2 and that we know the result for every n′ < n. We have a commutative diagram with exact rows : M/ϖn−1M ϖ·(.) / θ M/ϖnM / θ M/ϖM θ / 0 0 / N/ϖn−1N ϖ·(.) / N/ϖnN / N/ϖN / 0 Indeed, the map N/ϖn−1N →N/ϖnN, x 7− →ϖx is injective because N is ϖ-torsionfree. By the induction hypothesis, the first and third vertical maps are injective. So the injectivity of the middle vertical arrow follows from the five lemma (or an easy diagram chase).
Corollary V.1.4.5. (Theorem 3.17 of , see also proposition 1.1 of .) There is an equiva-lence of categories between : (a) perfectoid Huber pairs (S, S+); (b) triples (R, R+, I), where (R, R+) is a perfectoid Huber pair of characteristic ℓand I ⊂W(R+) is an ideal that is primitive of degree 1.
This equivalence is given by the functors that send a pair (S, S+) as in (a) to (S♭, S♭+, Ker(θ : W(S♭+) → S+)), and a triple (R, R+, I) as in (b) to ((W(R+)/I)[ 1 [ϖ]], W(R+)/I), where ϖ is any pseudo-uniformizer of R.
Corollary V.1.4.6. (See th´ eoreme 1.2 of .) Fix a perfectoid Huber pair (A, A+). Then there is an equivalence of categories between perfectoid Huber pairs over (A, A+) and over (A♭, A♭+).
This equivalence is given by the functor that send a morphism of perfectoid Huber pairs (A, A+) →(B, B+) to its tilt (A♭, A♭+) →(B♭, B♭+). In the other direction, suppose that we have a morhism of perfectoid Huber pairs (A♭, A♭+) →(B♭, B♭+), then we get a mor-phism α : W(A♭+) →W(B♭+).
By the definition of a primitive ideal of degree 1, if I = Ker(θ : W(A♭+) →A+), then J := α(I) is a primitive ideal of degree 1 of W(B♭+), so we get a morphism of perfectoid Huber pairs (A, A+) ≃((W(A♭+)/I)[ 1 [ϖ♭]], W(A♭+)/I) →((W(B♭+)/J)[ 1 [ϖ♭]], W(B♭+)/J) (where ϖ♭is any pseudo-uniformizer of A♭).
155 V Perfectoid algebras V.1.5 A little bit of almost mathematics We will introduce as little almost mathematics as possible. For a complete treatment, see .
Definition V.1.5.1. Let (A, A+) be a perfectoid Huber pair.
(i) We say that a A+-module M is almost zero if A00 · M = 0.
(ii) We say that a morphism of A+-modules u : M →N is almost injective (resp. almost surjective) if ker u (resp. Coker u) is almost zero; we say that it is almost an isomorphism if it is both almost injective and almost surjective.
(iii) If M ⊂N are A+-modules, we say that they are almost equal if N/M is almost zero.
Example V.1.5.2. A+ and A0 are almost equal.
Remark V.1.5.3. If u : M →N is almost injective (resp. almost surjective, resp. almost an isomorphism), then u[ 1 ϖ] : M[ 1 ϖ] →N[ 1 ϖ] is injective (resp. surjective, resp. an isomorphism).
Proposition V.1.5.4. Let (A, A+) be a perfectoid Huber pair and M be a A+-module. Choose a pseudo-uniformizer ϖ of A that has a compatible system (ϖ1/ℓn)n≥0 of ℓth power roots. (In other words, ϖ is in the image of (.)♯: A♭→A.) Then M is almost zero if and only if, for every x ∈M and for every n ∈N, we have ϖ1/ℓnx = 0.
Proof. We have ϖ1/ℓn ∈A00 for every n ∈N, so, if M is almost zero, then ϖ1/ℓnx = 0 for every x ∈M and every n ∈N.
Conversely, suppose that, for every x ∈M and every n ∈N, we have ϖ1/ℓnx = 0.
Let a ∈A00.
As ϖA+ is open in A, there exists n ∈N such that aℓn ∈ϖA+.
Then (ϖ−1/ℓna)ℓn ∈A+, so ϖ−1/ℓna ∈A+ because A+ is integrally closed in A. So, for every x ∈M, ax = ϖ1/ℓn((ϖ−1/ℓna)x) = 0.
Corollary V.1.5.5. If (A, A+) →(B, B+) is a morphism of perfectoid Huber pairs and M is a B+-module, then M is almost zero as a B+-module if and only if it is almost zero as a A+-module.
In particular, for perfectoid Huber pairs over a perfectoid Huber pair (K, K0) with K a field, we recover the same definition as in definition 4.1 of .
Definition V.1.5.6. Let (A, A+) be a perfectoid Huber pair and M be a A+-module. We set M∗= HomA+(A00, M). This is also a A+-module, and it is called the module of almost elements of M.
By the general properties of Hom, the functor M 7− →M∗commutes with projective limits (in particular, it is left exact).
156 V.1 Perfectoid Tate rings Remark V.1.5.7. If M1, M2, N are A+-modules and µ : M1 × M2 →N is a A+-bilinear map, then we have a canonical A+-linear map M1∗⊗A+ M2∗→N∗, induced by the A+-bilinear map HomA+(A00, M1) × HomA+(A00, M2) → HomA+(A00, N) (f, g) 7− → (a 7− →µ(f(a) ⊗g(a))).
In particular, if B+ is a A+-algebra and M is a B+-module, then (B+)∗is a A+-algebra and M∗is a (B+)∗-module. Moreover, if M1, M2, N are B+-modules and the map µ : M1×M2 →N is actually B+-bilinear, then it is easy to see from the construction given above that the induced map M1∗× M2∗→N∗is (B+)∗-bilinear; so, if for example C+ is a B+-algebra, then (C+)∗is a (B+)∗-algebra.
Proposition V.1.5.8. Let (A, A+) be a perfectoid Huber pair and M be a A+-module.
(i) The canonical map M →M∗, x 7− →(a 7− →ax) is almost an isomorphism.
(ii) Choose a pseudo-uniformizer ϖ of A that has a compatible system (ϖ1/ℓn)n≥0 of ℓth power roots. If M is ϖ-torsionfree (so that the canonical map M →A ⊗A+ M is injective), then M∗= {x ∈A⊗A+ M | ∀n ∈N, ϖ1/ℓnx ∈M} = {x ∈A⊗A+ M | ∀a ∈A00, ax ∈M}.
(iii) If M is almost zero, then M∗= 0.
(iv) If u : M →N is an almost injective (resp. surjective) map of A+-modules, then the map u∗: M∗→N∗is injective (resp. surjective).
Proof.
(i) This follows from the exact sequence 0 →HomA+(A+/A00, M) →M →M∗→Ext1 A+(A+/A00, M).
(ii) Let v : M∗→M be evaluation at ϖ. If left multiplication by ϖ is an isomorphism on M, then the map ϖ−1v : M∗→M is an inverse of the canonical map M →M∗, so M = M∗.
Now suppose that M is only ϖ-torsionfree. As (A ⊗A+ M)∗= A ⊗A+ M by the pre-vious paragraph and M →(A ⊗A+ M) is injective by hypothesis, we get injections M ⊂M∗⊂A ⊗A+ M. Let M ′ = {x ∈A ⊗A+ M | ∀n ∈N, ϖ1/ℓnx ∈M} and M ′′ = {x ∈A ⊗A+ M | ∀a ∈A00, ax ∈M}. We obviously have M ′′ ⊂M ′. Con-versely, if x ∈M ′, then (M + A+x)/M is almost zero by proposition V.1.5.4, so x ∈M ′′.
This shows that M ′ = M ′′. Now we show that M∗= M ′′. If x ∈M ′′, then the map A00 →M, a 7− →ax is in M∗, and its image by ϖ−1v is x. So M ′′ ⊂M∗. Conversely, let c : A00 →M be an element of M∗, and let x = ϖ−1c(ϖ) ∈A ⊗A+ M. Then, for every n ∈N, we have ϖ1/ℓnx = ϖ1/ℓnϖ−1c(ϖ1−1/ℓnϖ1/ℓn) = ϖ−1+1/ℓnϖ1−1/ℓnc(ϖ1/ℓ) = c(ϖ1/ℓn) ∈M, so x ∈M ′ = M ′′.
157 V Perfectoid algebras (iii) Let u : A00 →M be an element of M∗. Let a ∈A00. Then we can find n ∈N such that ϖ−1/ℓna ∈A00 (just choose n such that aℓn ∈ϖA00), so u(a) = ϖ1/ℓnu(ϖ−1/ℓna) = 0.
This shows that u = 0.
(iv) Suppose that u is almost injective.
As the functor (.)∗is right exact, the kernel of u∗: M∗→N∗is equal to the image of (Ker u)∗→M∗. But (Ker u)∗= 0 by (iii), so u∗is injective.
Suppose that u is almost surjective.
Then, applying the right exact functor (.)∗ to the exact sequence M → N → Coker u → 0, we get an exact sequence M∗→N∗→(Coker u)∗→0. But we know that (Coker u)∗= 0 by (iii), so u∗is surjective.
Proposition V.1.5.9. (See lemma 4.4.1 of .) Let (A, A+) be a perfectoid Huber pair and M be a A+-module. Choose a pseudo-uniformizer ϖ of A that has a compatible system (ϖ1/ℓn)n≥0 of ℓth power roots.
Let M be a A+-module that is ϖ-torsionfree and ϖ-adically separated and complete. Then the A+-module M∗is also ϖ-torsionfree and ϖ-adically separated and complete.
Moreover, for every a ∈ A+ such that M is a-torsionfree, the canonical morphism aM∗→(aM)∗is an isomorphism, and the canonical morphism M∗/aM∗→(M/aM)∗is injective, with image equal to that of (M/ϖ1/ℓnaM)∗for every n ∈N.
Proof. First we show that M∗is ϖ-torsionfree. This follows from the fact that the functor (.)∗is left exact, so Ker(ϖ : M∗→M∗) = (Ker(ϖ : M →M))∗= 0.
Let a ∈A+ such that M is a-torsionfree.
Then, applying (.)∗to the exact sequence 0 →M a·(.) →M →M/aM →0, we get an exact sequence 0 →M∗ a·(.) →M∗→(M/aM)∗→Ext1 A+(A00, M).
This shows in particular that aM∗= (aM)∗and that M∗/aM∗→(M/aM)∗is injective. Let n ∈N, and let ε = ϖ1/ℓn. We have a commutative diagram with exact rows 0 / M a·(.) / M / M/aM / 0 0 / M/εM a·(.) / M/εaM / M/aM / 0 158 V.1 Perfectoid Tate rings Applying the functor (.)∗, we get a commutative diagram with exact rows M∗ a·(.) / M∗ b1 / (M/aM)∗ / Ext1 A+(A00, M) c (M/εM)∗ a·(.) / (M/εaM)∗ b2 / (M/aM)∗ / Ext1 A+(A00, M/εM) We want to show that the maps b1 and b2 have the same image.
It suffices to prove that the map c is injective, which is equivalent to the fact that multiplication by ε is equal to zero on Ext1 A+(A00, M).
Applying the functor HomA+(., M) to the exact sequence 0 → A00 → A+ → A+/A00 → 0, we get an isomorphism Ext1 A+(A00, M) ≃Ext2 A+(A+/A00, M), which shows that Ext1 A+(A00, M) is almost zero and implies the desired result.
We finally prove that A∗is ϖ-adically separated and complete.
By the assumption on M, we have M ∼ → lim ← −M/ϖnM.
As the functor (.)∗commutes with projective lim-its, the canonical map M∗ → lim ← −(M/ϖnM)∗is an isomorphism.
But this map fac-tors as M∗→lim ← −M∗/ϖnM∗→lim ← −(M/ϖnM)∗, and the second map is injective be-cause M∗/ϖnM∗→(M/ϖnM)∗is injective for every n ∈N.
So the canonical map M∗→lim ← −M∗/ϖnM∗is also an isomorphism. (We could also have used the previous para-graph to show directly that lim ← −M∗/ϖnM∗→lim ← −(M/ϖnM)∗is an isomorphism.) Proposition V.1.5.10. (See proposition 5.2.6 and theorem 6.2.5 of .) Let (A, A+) be a per-fectoid Huber pair, and choose a pseudo-uniformizer ϖ of A that has a compatible system (ϖ1/ℓn)n≥0 of ℓth power roots and that divides ℓin A+. Let ϕ : A →B be a morphism of f-adic rings and B0 be an open subring of B containing ϕ(A+).
Suppose that : (a) B is complete; (b) B0 is ϕ(ϖ)-adically separated and complete; (c) the map B0/ϕ(ϖ1/ℓ) →B0/ϕ(ϖ), b 7− →bℓis almost an isomorphism.
Then B is perfectoid, B0 is a ring of definition of B and B0 = (B0)∗.
Proof. We know that B is a Tate ring and that ϕ(ϖ) is a pseudo-uniformizer of B (see proposi-tion II.1.3.4). To simplify the notation, we will write ϖ instead of ϕ(ϖ). By lemma V.1.5.11, B0 is a ring of definition of B.
We write B′ = (B0)∗. We know that B′ is ϖ-adically separated and complete by proposition V.1.5.9, and that B′ = {b ∈B | ∀n ∈N, ϖ1/ℓnb ∈B0} 159 V Perfectoid algebras by proposition V.1.5.8(ii). In particular, lemma V.1.5.11 implies that B′ is a bounded subring of B, i.e. a ring of definition. By proposition V.1.5.8(iv), the map (B0/ϖ1/ℓB0)∗→(B0/ϖB0)∗ induced by b 7− →bℓis injective, so the map B′/ϖ1/ℓB′ →B′/ϖB′, b 7− →bℓis also injective, because B′/ϖ1/ℓB′ (resp. B′/ϖB′) injects in (B0/ϖ1/ℓB0)∗(resp. (B0/ϖB0)∗) by proposition V.1.5.9.
We prove that B′ is closed by taking ℓth roots. Let b ∈B such that bℓ∈B′. We want to prove that b ∈B′. Choose an integer r ∈N such that ϖr/ℓb ∈B′ (this is possible because B = B′[1/ϖ]). If r = 0, then b ∈B′ and we are done. Suppose that r ≥1. We have (ϖr/ℓb)ℓ= ϖrbℓ∈ϖrB′ ⊂ϖB′. By the injectivity of the map B′/ϖ1/ℓB′ →B′/ϖB′, b 7− →bℓ, this implies that ϖr/ℓb ∈ϖ1/ℓB′, hence that ϖ(r−1)/ℓb ∈B′. If r −1 ≥1, we can apply this process again to show that ϖ(r−2)/ℓb ∈B′, etc. In the end, we get that b ∈B′.
Note that the previous paragraph implies that B00 ⊂B′. Indeed, if b ∈B00, then there exists n ∈N such that bℓn ∈B′ (because B′ is open), so b ∈B′ by what we just proved.
We show that the map B′/ϖ1/ℓB′ →B′/ϖB′, b 7− →bℓis surjective. Let b ∈B′. As the map B0/ϖ1/ℓB0 →B0/ϖB0, c 7− →cℓis surjective, there exists c0 ∈B0 such that ϖ1/ℓb ∈cℓ+ϖB0.
Let d = ϖ−1/ℓ2c. Then dℓ= ϖ−1/ℓcℓ∈b + ϖ1−1/ℓB0 ⊂B′, so, as B′ in closed under taking ℓth roots, d ∈B′. Write b = dℓ+ ϖ1−1/ℓb′, with b′ ∈B0. Then there exists d′ ∈B0 such that ϖ1−1/ℓb′ ∈(d′)ℓ+ ϖB0, and we finally get b ∈(d + d′)ℓ+ ϖB′.
To finish the proof, we just need to show that B′ = B0. The inclusion B′ ⊂B0 follows from the fact that B′ is bounded and from proposition II.1.2.4. Conversely, let b ∈B0. Then, for every n ∈N, we have ϖ1/ℓnb ∈B00 ⊂B′; so b ∈B′.
Lemma V.1.5.11. Let A be a complete Tate ring and ϖ be a pseudo-uniformizer of A. Let B be an open subring of A that is ϖ-adically separated and complete. Then B is bounded in A.
Proof. By corollary II.1.1.8(iii), we can choose a ring of definition A0 of A such that A0 ⊂B.
We may assume, after replacing ϖ by a power, that ϖ is in A0. Note that ϖ is not a zero divisor in B, because it is invertible in A. By remark II.2.5.3, the ring A′ = B[ 1 ϖ], with the topology for which B is a ring of definition, is a complete Tate ring with pseudo-uniformizer ϖ. Of course, as a ring, A′ is canonically isomorphic to A. Moreover, the obvious isomorphism A ∼ →A′ is continuous, because B is open in A. By the open mapping theorem (theorem II.4.1.1), this map is open, which means that A ∼ →A′ is an isomorphism of topological rings, hence that B is a ring of definition of A.
Using the proposition, we can (almost) generalize proposition V.1.2.8.
Corollary V.1.5.12. . Let (A, A+) be a perfectoid Huber pair, and let ϖ ∈A+ be a pseudo-uniformizer of A. We denote by A+⟨X1/ℓ∞⟩the ϖ-adic completion of the ring S n≥0 A+[X1/ℓn], and we set A⟨X1/ℓ∞⟩= A+⟨X1/ℓ∞⟩[ 1 ϖ].
160 V.1 Perfectoid Tate rings Then A⟨X1/ℓ∞⟩is perfectoid, with ring of power-bounded elements (A⟨X1/ℓ∞⟩)0 al-most equal to A+⟨X1/ℓ∞⟩, and its tilt is canonically isomorphic to A♭⟨X1/ℓ∞⟩.
Moreover, A+⟨X1/ℓ∞⟩is a ring of integral elements in A⟨X1/ℓ∞⟩and the tilt of (A⟨X1/ℓ∞⟩, A+⟨X1/ℓ∞⟩) is (A♭⟨X1/ℓ∞⟩, A♭+⟨X1/ℓ∞⟩).
Proof. We may assume that there is a pseudo-uniformizer ϖ♭∈A♭+ of A♭such that ϖ = (ϖ♭)♯, and that ϖℓdivides ℓin A+. Then we may apply proposition V.1.5.10 to B = A⟨X1/ℓ∞⟩and to its open subring B0 = A+⟨X1/ℓ∞⟩, and we get that B is perfectoid and B0 = (B0)∗.
As B0/ϖℓB0 = S n≥0(A+/ϖℓA+)[X1/ℓn], we have a canonical isomorphism B0/ϖℓB0 ≃S n≥0 A♭+/(ϖ♭)ℓA♭+[X1/ℓn].
By remark V.1.2.3, this extends to an isomor-phism B♭ ∼ →A♭⟨X1/ℓ∞⟩sending B♭+ to A♭+⟨X1/ℓ∞⟩.
Corollary V.1.5.13. (See lemma 9.2.3 of .) Let (A, A+) be a perfectoid Huber pair of char-acteristic ℓ, let ϖ be a pseudo-uniformizer of A, let f1, . . . , fn, g ∈A+ with fn = ϖN (N ∈N) and U = R f1,...,fn g . Then : (i) Let A+⟨ fi g 1/ℓ∞ ⟩be the ϖ-adic completion of the subring A+[ fi g 1/ℓ∞ ] of A[ 1 g]. Then A+⟨ fi g 1/ℓ∞ ⟩is ϖ-torsionfree, ϖ-adically separated and complete, and perfect.
(ii) The canonical A+-algebra map ψ : A+[X1/ℓ∞ i ] → A+[ fi g 1/ℓ∞ ] sending X1/ℓm i to fi g 1/ℓm is surjective with kernel containing and almost equal to I := (g1/ℓmX1/ℓm i −f 1/ℓm i , 1 ≤i ≤n, m ∈N).
(iii) Let X = Spa(A, A+). The Tate ring OX(U) is perfectoid, and OX(U)0 = A+⟨ fi g 1/ℓ∞ ⟩∗ (in particular, these subrings of OX(U) are almost equal).
Proof. Remember that A and A+ are perfect (see proposition V.1.1.8).
(i) This ring is the ϖ-adic completion of the perfect and ϖ-torsionfree ring A+[ fi g 1/ℓ∞ ].
(ii) It is clear that ψ is surjective and that I ⊂Ker ψ. We have A+[X1/ℓ∞ i ][ 1 ϖ] = A[X1/ℓ∞ i ] and A+[ fi g 1/ℓ∞ ][ 1 ϖ] = A[ 1 g] (because fn = ϖn).
We claim that Ker ψ[ 1 ϖ] = I[ 1 ϖ].
Indeed, let f ∈ Ker ψ[ 1 ϖ].
We may assume that f ∈ A[X1, . . . , Xn], and we want to show that f ∈(gXi −fi) = (gX1 −f1, . . . , gXn−1 −fn−1, ϖ−NgXn −1).
We have an isomorphism A[X1, . . . , Xn]/(ϖ−NgXn −1) ≃A[g−1][X1, . . . , Xn−1] and the ideal (gXi −fi) to I′ := (X1 −f1g−1, . . . , Xn−1 −fn−1g−1). This ideal I′ is clearly the 161 V Perfectoid algebras kernel of the map A[g−1][X1, . . . , Xn−1] →A[g−1] induced by ψ, so the image of f in A[g−1][X1, . . . , Xn−1] is in I′, which is what we wanted.
Now let B = A+[X1/ℓ∞ i ]/I. It is clear from the definition of I that B is perfect, and ψ induces a surjective map ψ : B →A+[ fi g 1/ℓ∞ ] that is an isomorphism after inverting ϖ.
In particular, Ker(ψ) is ϖ∞-torsion, so it is almost zero by lemma V.1.5.14, and we are done.
(iii) By (i) and proposition V.1.1.3(i), the open subring A+⟨ fi g 1/ℓ∞ ⟩of OX(U) satisfies the conditions of proposition V.1.5.10. The result follows immediately from this proposition.
Lemma V.1.5.14. Let (A, A+) be a perfectoid Huber pair of characteristic ℓand B a perfect A+-algebra. Then the ϖ∞-torsion in B is almost zero.
Proof. Let N = {b ∈B | ∃n ∈Z≥1, ϖnb = 0}. We want to show that N is almost zero. Let b ∈N, and let n ∈Z≥1 such that ϖnb = 0. Let r ∈N. As B is perfect, there exists c ∈B such that b = cℓr, and then (ϖn/ℓrc)ℓr = 0, so, using the fact that B is perfect again, ϖn/ℓrc = 0, which finally gives ϖn/ℓrb = 0. By proposition V.1.5.4, this implies that N is almost 0.
Corollary V.1.5.15. (Lemma 9.2.5 of .) Let (A, A+) be a perfectoid Huber pair, and X = Spa(A, A+). Choose a pseudo-uniformizer ϖ of A that is of the form (ϖ♭)♯for ϖ♭a pseudo-uniformizer of A♭, and such that ϖ divides ℓin A+. Let f1, . . . , fn, g ∈A+ such that fn = ϖN for some N ∈N. Suppose that we have a1, . . . , an, b ∈A♭with a♯ i = fi, b♯= g and an = (ϖ♭)N. Let U = R f1,...,fn g ⊂X and U ♭= R a1,...,an b ⊂X♭, so that U is the preimage of U ♭by the map X →X♭, x 7− →x♭. Then : (i) Let B0 := A+⟨ fi g 1/ℓ∞ ⟩be the ϖ-adic completion of the subring A+[ fi g 1/ℓ∞ ] of A[ 1 g].
Then B0 is ϖ-torsionfree, ϖ-adically separated and complete, and the map B0/ϖ1/ℓB0 →B0/ϖB0, b 7− →bℓis bijective.
(ii) The canonical A+-algebra map ψ : A+[X1/ℓ∞ i ] → A+[ fi g 1/ℓ∞ ] sending X1/ℓm i to fi g 1/ℓm is surjective with kernel containing and almost equal to I := (g1/ℓmX1/ℓm i −f 1/ℓm i , 1 ≤i ≤n, m ∈N).
(iii) The Tate ring OX(U) is perfectoid, and OX(U)0 = A+⟨ fi g 1/ℓ∞ ⟩∗(in particular, these subrings of OX(U) are almost equal).
(iv) The tilt of (OX(U), OX(U)+) is canonically isomorphic to (OX♭(U ♭), OX♭(U ♭)+).
162 V.1 Perfectoid Tate rings Proof. We show (i). The ring B0 is ϖ-torsionfree and ϖ-adically separated and complete by definition. Also, if B′ 0 := A♭+⟨ ai b 1/ℓ∞ ⟩, then we have B0/ϖB0 ≃B′ 0/ϖB′ 0, and B′ 0 is perfect; this gives the last statement of (i).
It is clear that ψ is surjective and I ⊂ Ker ψ.
Let P0 = A+[X1/ℓ∞ i ]/I and a0 : P0 →A+[ fi g 1/ℓ∞ ] be the map induced by ψ. By definition of O+ X(U) (and lemma IV.1.3.8), we have a canonical morphism b0 : A+[ fi g 1/ℓ∞ ] →O+ X(U). Let (S, S+) be the per-fectoid Huber pair over (A, A+) that we get by untilting the perfectoid pair (OX♭(U ♭), O+ X♭(U ♭)) over (A♭, A♭+) (see corollary V.1.4.6). If i ∈{1, . . . , n}, then b divides ai in O+ X♭(U ♭), so b♯= g divides a♯ i = fi in S+, so the map Spa(S, S+) →Spa(A, A+) factors through U, and the univer-sal property of U (see proposition III.6.1.1(ii)) implies that the map (A, A+) →(S, S+) extends to a map (OX(U), O+ X(U)) →(S, S+). We denote the map O+ X(U) →S+ by c, and we write d0 = c ◦b0. The maps a0 : P0 →A+[ fi g 1/ℓ∞ ] and d0 : A+[ fi g 1/ℓ∞ ] →S+ extends by continuity to maps a : P →B0 = A+⟨ fi g 1/ℓ∞ ⟩and d : B0 →S+ between the ϖ-adic com-pletions (we use the fact that S+ is complete). As a0 is surjective, a is also surjective (see 25, Lemma 0315). By corollary V.1.5.13, the map d0 ◦a0 modulo ϖ is almost an isomorphism.
By lemma V.1.5.16, Ker a0 is almost zero, which proves (ii).
Moreover, as d0 ◦a0 and d ◦a are equal modulo ϖ, d ◦a modulo ϖ is also almost an isomor-phism. On the other hand, as d modulo ϖ is surjective, so is d (see 25, Lemma 0315), so d ◦a is also surjective. By lemma V.1.5.16 again, we get that d ◦a is almost an isomorphism.
As a is surjective and Ker a ⊂Ker(d ◦a), a is also almost an isomorphism, hence so is d. In particular (see remark V.1.5.3), the map d[ 1 ϖ] : B0[ 1 ϖ] →OX(U) →S is an isomorphism. As the first map is injective by definition of B0, both maps are isomorphisms. Now (iii) follows immediately from proposition V.1.5.10.
We finally prove (iv).
We have already seen that we have a canonical map (OX(U), O+ X(U)) →(S, S+), and we just proved that OX(U) →S is an isomorphism; this isomorphism then identifies O+ X(U) to a subring of S+. So it suffices to construct a contin-uous morphism of A+-algebras S+ →O+ X(U). Let (A♭, A♭+) →(T, T +) be the tilt of the morphism (A, A+) →(OX(U), O+ X(U)). As O+ X(U) ⊃B0, we have fi g ∈O+ X(U) for every i, so ai b ∈T + for every i. (This is clear on the formula for the untilting given after corol-lary V.1.4.6.) So Spa(T, T +) →Spa(A♭, A♭+) factors through U ♭, and the universal prop-erty of U ♭gives a morphism (OX♭(U ♭), O+ X♭(U ♭)) →(T, T +), which untilts to a morphism (S, S+) →(OX(U), O+ X(U)).
Lemma V.1.5.16. We use the notation of corollary V.1.5.15. Let α : M →N be a A+-module map. Suppose that α is almost surjective, that the induced map M/ϖM →N/ϖN is almost an isomorphism, that M is ϖ-adically separated and that N is ϖ-torsionfree. That α is almost an isomorphism.
163 V Perfectoid algebras Proof. We want to check that Coker α and Ker α are almost zero. This is true for Coker α by assumption.
Let L = Ker α.
As N is ϖ-torsionfree, L/ϖL is the kernel of the map M/ϖM →N/ϖN induced by α, so it is almost zero. This implies that, for every n ∈N, the A+-module L/ϖnL is almost zero. Let x ∈L. If r ∈N, then the image of ϖ1/ℓrx in L/ϖnL is almost zero for every n ∈N, which means that ϖ1/ℓrx ∈T n≥0 ϖnL. As M is ϖ-adically separated, we have T n≥0 ϖnL ⊂T n≥0 ϖnM = 0, so ϖ1/ℓrx = 0. This shows that L is almost zero.
V.1.6 Tilting and the adic spectrum Let (A, A+) be a perfectoid Huber pair.
By proposition V.1.2.7, we have a map (.)♭: Cont(A) →Cont(A♭) sending a continuous valuation |.| on A to the continuous valu-ation a 7− →|a|♭= |a♯| on A♭. By the formula for A♭+ in proposition V.1.2.5, this map sends Spa(A, A+) to Spa(A, A♭+).
Theorem V.1.6.1. (See corollary 6.7(ii),(iii) of , theorem 3.12 of .) Let (A, A+) be a perfectoid Huber pair. Then the map X := Spa(A, A+) →X♭:= Spa(A♭, A♭+), x 7− →x♭is a homeomorphism identifying rational domains of X and X♭, and, for every rational domain U of X, the Huber pair (OX(U), O+ X(U)) is perfectoid with tilt (OX♭(U ♭), O+ X♭(U ♭)).
Moreover, for every x ∈X, the completed residue field (κ(x), κ(x)+) is perfectoid, with tilt (κ(x♭), κ(x♭)+).
Applying theorem IV.1.1.5, we immediately get the following corollary.
Corollary V.1.6.2. Let (A, A+) be a perfectoid Huber pair, and let X = Spa(A, A+). Then OX is a sheaf, and, for every rational domain U of X and every i ≥1, we have Hi(U, OX) = 0.
Proof of theorem V.1.6.1. We choose pseudo-uniformizers ϖ and ϖ♭of A and A♭such that ϖ = (ϖ♭)♯and that ϖ divides ℓin A+. We write f for the map (.)♭: X →X♭.
(1) Let t1, . . . , tn, s ∈A♭such that (t1, . . . , tn) = A♭, and let V = R t1,...,tn s . By lemma V.1.6.6, V does not change if we add a power of ϖ♭to t1, . . . , tn, so we may assume that tn = (ϖ♭)N for some N ∈N. Then t♯ n = ϖN, so (t♯ 1, . . . , t♯ n) = A, and we clearly have f −1(V ) = R t♯ 1,...,t♯ n s♯ . In particular, f is continuous.
(2) We show that f is surjective. Let y ∈X♭, and let (L, L+) = (κ(y), κ(y)+). Then L is a complete non-Archimedean field (because X♭only has analytic points). By definition, L is the completion of K(x) := Frac(A♭/ supp(x)). As A♭is perfect and supp(x) is a prime ideal of A♭, the quotient A♭/ supp(x) is a perfect ring, so K(x) is also perfect. As K(x)0 is a perfect ring of definition, we can apply lemma IV.1.3.9, which implies that L is perfect.
164 V.1 Perfectoid Tate rings So, by proposition V.1.1.8, L is a perfectoid field. We get a morphism of perfectoid Huber pairs (A♭, A♭+) →(L, L+). By corollary V.1.4.6, this untilts to a morphism of perfectoid Huber pairs (A, A+) →(K, K+), and K is a perfectoid field by proposition V.1.2.9. Let x be the image by Spa(K, K+) →Spa(A, A+) of the unique closed point of Spa(K, K+).
Then |.|x is the composition of (A, A+) →(K, K+) and of the rank 1 valuation |.| giving the topology of K, so |.|x♭is the composition of (A♭, A♭+) →(L, L+) and of |.|♭. But |.|♭ is a continuous rank 1 valuation on L, so, by corollary II.2.5.11, it has to be equivalent to the continuous rank 1 valuation defining the topology of L, which means that x♭= y.
(3) Let f1, . . . , fn, f0 ∈A such that (f1, . . . , fn) = A, and let U = R f1,...,fn f0 . Again by lemma V.1.6.6, we may assume without changing U that fn = ϖN for some N ∈N. By corollary V.1.6.5 with ε some fixed number in (0, 1), there exist elements t0, . . . , tn−1, s of A♭such that, for every i ∈{0, . . . , n −1} and every x ∈X, we have |fi −t♯ i|x ≤|ϖ|1−ε x max(|fi|x, |ϖ|N+1 x ).
In particular, we get max(|fi|x, |ϖ|N x ) = max(|t♯ i|x, |ϖ|N x ), and, if |ϖN|x ≤|f0|x (for example if x ∈U) of if |ϖN|x ≤|t♯ 0|x, then |f0|x = |t♯ 0|x. It is easy to deduce from these inequalities that R t♯ 1,...,t♯ n t♯ 0 = U, so that U = f −1(R t1,...,tn t0 ).
(4) Let x, y ∈X with x ̸= y. As X is T0, we may assume that there exists a rational domain U of X such that x ∈U and y ̸∈U. By (2), there exists a rational domain V of X♭such that U = f −1(V ), and then we have f(x) ∈V and f(y) ̸∈V , and in particular f(x) ̸= f(y).
So f is injective.
(5) The statement about OX(U) and its tilt (for U ⊂X a rational domain) follows immediately from corollary V.1.5.15. (Multiplying all the equations of a rational domain by the same power of ϖ doesn’t chage the rational domain, so we may always assume that all these equations are in A+.) (6) Finally, the last statement was proved in (2).
Remark V.1.6.3. In remark 9.2.8 of , Bhatt gave a proof that f is a homeomorphism that does not use teh approximation lemma (corollary V.1.6.5). We give it here for fun. Step (1) and (2) are as in the proof of the theorem above, and then the next steps are : (3’) As in (5) of the proof above, by corollary V.1.5.15, if V ⊂X♭is a rational do-main and U = f −1(V ), then OX(U) is perfectoid and (OX♭(V ), O+ X♭(V )) is the tilt of (OX(U), O+ X(U)). As, as f is surjective, we have V = f(U).
(4’) Let f ∈A+, and let U = R f,ϖ ϖ . Choose any g ∈A♭+ such that g♯= f modulo ϖA+ (such a g always exists), and let V = R g,ϖ♭ ϖ♭ . Then we have U = f −1(V ). Indeed, if 165 V Perfectoid algebras x ∈X, then x ∈U if and only if |f|x ≤|ϖ|x; by the strong triangle inequality, this is equivalent to |g♯|x ≤|(ϖ♭)♯|x, i.e. to |g|f(x) ≤|ϖ♭|f(x), i.e. to f(x) ∈V .
(5’) Let f ∈A+. For n ∈Z≥1, we set Un = R f,ϖn ϖn . We claim that, for every n ≥1, there exists a rational subset Vn of X♭such that Un = f −1(Vn). We prove this by induction on n.
If n = 1, this is (4’). Suppose the result known for some n ≥1. Then, applying (3’) to Un shows that Vn = Spa(OX(Un)♭, O+ X(Un)♭). As Un+1 is the rational domain R fϖ−n,ϖ ϖ of Un, we can apply (4’) to get a rational domain Vn+1 of Vn such that Un+1 = f −1(Vn+1).
Finally, by corollary III.4.3.2, Vn+1 is also a rational domain in X♭, so we have proved the claim for Un+1.
(6’) Let f ∈A+ and g ∈A♭+ such that f = g♯modulo ϖA+, and let ε ∈Z[ 1 ℓ] ∩R>0. Then, if U = R ϖ1−ε f and V = R (ϖ♭)1−ε g , we have U = f −1(V ). Indeed, let x ∈X. Then x ∈U if and only if |ϖ|x ≤|ϖ|ε x|f|x, and again the strong triangle inequality implies that this is equivalent to |ϖ|x ≤|ϖ|ε x|g♯|x, i.e. to f(x) ∈V .
(7’) Let f ∈A+, n ∈Z≥1 and c ∈Z[ 1 ℓ] ∩(0, 1).
We claim that the rational domain U = R ϖnc f is the preimage by f of a quasi-compact open subset of X♭. Indeed, write U = Tn r≥1 Ur, where Ur = {x ∈X | |ϖnc−(r−1)c|x ≤|f|x ≤|ϖnc−rc|x} ⊂U ′ r = {x ∈X | ||f|x ≤|ϖnc−rc|x}.
The subsets Ur and U ′ r are rational domains of X, and, by (5’), there exists a rational domain V ′ r of X♭such that U ′ r = f −1(V ′ r). To show that Ur is the preimage of a rational domain of X♭, it suffices (thanks to (3’)) to show that it is the preimage of a rational domain Vr of V ′ r. Let g = f ϖnc−rc; then g ∈OX(U ′ r), and Ur = {x ∈U ′ r | |ϖ|c x ≤|g|x}, so the existence of such a Vr follows from (6’). Finally, U is the preimage of the quasi-compact open subset Sn r=1 Vr of X♭.
(8’) Let f, g ∈A+ and N ∈N, and let U = R f,ϖN g . We claim that U is the preimage of a quasi-compact open subset of X♭. Let U ′ = R ϖN g . By (7’), there exists a quasi-compact open subset V ′ of X♭such that U ′ = f −1(V ′). Write V ′ = S i∈I V ′ i , with I finite and the V ′ i rational domains of X♭, and let U ′ i = f −1(V ′ i ); note that the U ′ i are rational domains of X by (1). Let h = fϖN g . Then h ∈OX(U ′), so we can take its image in each OX(U ′ i). Let Ui be the rational domain R h,ϖN ϖN in U ′ i; by (5’), there exists a rational domain Vi of V ′ i such that Ui = f −1(Vi). By corollary III.4.3.2, Ui (resp. Vi) is a rational domain in X (resp. X♭). Also, we clearly have U = S i∈I Ui, so U is the preimage of the quasi-compact open subset S i∈I Vi of X♭.
(9’) Let f1, . . . , fn, g ∈A such that (f1, . . . , fn) = A, and let U = R f1,...,fn g . After multi-plying f1, . . . , fn, g by the same power of ϖ, we may assume (without changing U) that f1, . . . , fn, g ∈A+. Also, by lemma V.1.6.6, we may assume that fn is of the form ϖN.
166 V.1 Perfectoid Tate rings Then U = Tn−1 i=1 Ui, where Ui = R fi,ϖN g . By (8’), there exists quasi-compact open sub-sets V1, . . . , Vn−1 of X♭such that Ui = f −1(Vi) for i ∈{1, . . . , n−1}. Then V = Tn−1 i=1 Vi is a quasi-compact open subset of X♭, and U = f −1(V ).
(10’) Let x, y ∈X with x ̸= y. As X is T0, we may assume that there exists a rational domain U of X such that x ∈U and y ̸∈U. By (2), there exists a quasi-compact open subset V of X♭such that U = f −1(V ), and then we have f(x) ∈V and f(y) ̸∈V , and in particular f(x) ̸= f(y). So f is injective.
The main technical ingredient is the following approximation lemma.
Proposition V.1.6.4. (Lemma 6.5 of .) Let (K, K+) be a perfectoid Huber pair. We do not assume that K is a field. 1 Let (A, A+) = (K⟨X1/ℓ∞ 1 , . . . , X1/ℓn n ⟩, K+⟨X1/ℓ∞ 1 , . . . , X1/ℓn n ⟩), and let f ∈A+ be a homogeneous element of degree d ∈Z[ 1 ℓ]. For every c ∈R≥0 and every ε ∈R>0, there exists gc,ε ∈A+♭= K+♭⟨X1/ℓ∞ 1 , . . . , X1/ℓ∞ n ⟩(see corollary V.1.5.12) homogeneous of degree d such that, for every x ∈X = Spa(A, A+), |f −g♯ c,ε|x ≤|ϖ|1−ε x max(|f|x, |ϖ|c x).
Proof. Fix f and ε ∈Z[ 1 ℓ] ∩(0, 1). We also fix a ∈Z[ 1 ℓ] such that 0 < a < ε. If c ≤c′, then the result for c′ implies the result for c. So it suffices to prove the result for c = ar, with r ∈N. We show by induction on r that, for every r ∈N, there exists εr > 0 and gr ∈K+♭⟨X1/ℓ∞ 1 , . . . , X1/ℓ∞ n ⟩homogeneous of degree d such that, for every x ∈X, |f −g♯ r|x ≤|ϖ|1−ε+εr x max(|f|x, |ϖ|ar x ).
(This implies the desired inequality, because |ϖ|x < 1 for every x ∈X.) If r = 0, we take ε0 = 0 and take for g0 any element of A♭+ such that g♯ 0 = f modulo ϖA+.
Suppose that r ≥0 and that we have found εr and gr. Decreasing εr only makes the inequality more true, so we may assume that εr ∈Z[ 1 ℓ] and εr ≤ε −a. Let X♭= Spa(A♭, A♭+), and let U ♭ r ⊂X♭be the rational domain R gr,(ϖ♭)ra (ϖ♭)ra = {x ∈X♭| |gr|x ≤|ϖ♭|ra x }.
Then Ur = f −1(U ♭ r) is the rational domain R g♯ r,ϖra ϖra = R f,ϖra ϖra of X. Let h = f −g♯ r.
By the condition on gr, we have h ∈ϖra+1−ε+εrO+ X(Ur).
By corollary V.1.5.15(iii), the subrings OX(Ur)◦and A+⟨ g♯ r ϖra 1/ℓ∞ ⟩of OX(Ur) are almost equal, so ϖ−ra−1+ε−εrh is al-most an element of the second one, which means that we can find εr+1 ∈Z[ 1 ℓ] such that 0 < εr+1 < εr and that ϖ−ra−1+ε−εr+1h is in A+⟨ g♯ r ϖra 1/ℓ∞ ⟩. As h and g♯ r are homoge-neous of degree d, ϖ−ra−1+ε−εr+1h is in the ϖ-completion of L i∈Z[ 1 ℓ]∩[0,1] g♯ r ϖra i A+ d−di, where 1Lemma 6.5 of makes this assumption, but the proof seems to work in general.
167 V Perfectoid algebras A+ d−di is the set of elements of A+ that are homogeneous of degree d −di. So we can write h as a convergent sum ϖra+1−ε+εr+1 P i∈Z[ 1 ℓ]∩[0,1] g♯ r ϖra i hi, where hi ∈A+ d−di (this means that I := {i ∈Z[ 1 ℓ] ∩[0, 1] | hi ̸= 0} is finite and countable, and that hϕ(n) →0 as n →0 for every bijection ϕ : N ∼ →I). For every i, choose si ∈A♭+ d−di such that hi −s♯ i ∈ϖA+.
We may choose the si such that the sum s := P i∈Z[ 1 ℓ]∩[0,1] gr (ϖ♭)ra i si converges, and we set gr+1 = gr + (ϖ♭)ra+1−ε+εr+1s. We claim that, for every x ∈X, we have |f −g♯ r+1|x ≤|ϖ|1−ε+εr+1 x max(|f|x, |ϖ|a(r+1) x ).
Let x ∈X. First assume that |f|x > |ϖ|ar x . Then, by the induction hypothesis, we have |g♯ r|x = |fr|x > |ϖ|ra x , so it suffices to show that, for every i ∈Z[ 1 ℓ] ∩[0, 1], we have (ϖ♭)ra+1−ε+εr+1 gr (ϖ♭)ra i si ♯ x ≤|ϖ|1−ε+εr+1 x |f|x.
As |s♯ i|x ≤1, this follows from |(gi r)♯|x ≤|f|x, which holds because i ∈[0, 1]. Now we assume that |f|x ≤|ϖ|ar x , which implies that |g♯ r|x ≤|ϖ|ar x . We claim that then |f −g♯ r+1|x ≤|ϖ|a(r+1)+1−ε+εr+1 x , which clearly implies the result. As ar+1 > a(r+1)+1−ε+εr+1 (because εr+1 < εr < ε−a), it is enough to show that f −g♯ r+1 ∈ϖar+1O+ X(Ur). Note that gr+1 (ϖ♭)ar = gr (ϖ♭)ar + X i∈Z[ 1 ℓ]∩[0,1] (ϖ♭)1−ε+εr+1 gr (ϖ♭)ar i si, and that all the terms of the sum in the right hand side are in O+ X♭(U ♭ r). So we get an equality g♯ r+1 ϖar = g♯ r ϖar + X i∈Z[ 1 ℓ]∩[0,1] ϖ1−ε+εr+1 g♯ r ϖar i hi in O+ X(Ur) modulo ϖ. If we multiply this equality by ϖar, we get f −g♯ r+1 = f −g♯ r −h modulo ϖ1+raO+ X(Ur). By the choice of h, f −g♯ r −h ∈ϖ1+raO+ X(Ur), so f −g♯ r+1 ∈ϖ1+raO+ X(Ur), and this implies the desired inequality.
Corollary V.1.6.5. (See corollary 6.7(i) of .) Let (A, A+) be a perfectoid Huber pair, and let X = Spa(A, A+). Fix a pseudo-uniformizer ϖ ∈A+ of A such that ϖ = (ϖ♭)♯for ϖ♭∈A♭+.
Let c ∈R≥0, ε > 0 and f ∈A. Then there exists gc,ε ∈A♭such that, for every x ∈X, we have |f −g♯ c,ε|x ≤|ϖ|1−ε x max(|f|x, |ϖ|c x).
168 V.2 Perfectoid spaces Note that, if we take ε < 1, then the inequality of the proposition implies that, for every x ∈X, we have max(|f|x, |ϖ|N x ) = max(|g♯ c,ε|x, |ϖ|N x ).
Proof. After increasing c (and multiplying f by a power of ϖ), we may assume that c ∈N and f ∈A+. As A♭+/ϖ♭A♭+ = A+/ϖA+, we can find g0, . . . , gc ∈A♭+ and fc+1 ∈A+ such that f = g♯ 0 + ϖg♯ 1 + . . . + ϖcg♯ c + ϖc+1fc+1. It suffices to treat the case where fc+1 = 0.
Consider the continuous ring morphism ψ : B := A⟨T 1/ℓ∞ 0 , . . . , T 1/ℓ∞ c ⟩→A sending T 1/ℓm i to (g1/ℓm i )♯; this morphism sends B+ to A+. By assumption, we have f = psi(f ′), where f ′ = T0 + ϖT1 + . . . + ϖcTc. By proposition V.1.6.4, there exists g′ ∈A+♭⟨T 1/ℓ∞ 0 , . . . , T 1/ℓ∞ c ⟩ homogeneous of degree 1 such that, for every y ∈Spa(B, B+), we have |f ′ −(g′)♯|y ≤|ϖ|1−ε y max(|f ′|y, |ϖ|c y).
So, if g = ψ♭(g′), then g♯= ψ((g′)♯), and we have |f −g♯ c,ε|x ≤|ϖ|1−ε x max(|f|x, |ϖ|c x) for every x ∈Spa(A, A+).
Lemma V.1.6.6. Let (A, A+) be a Huber pair with A a Tate ring, let ϖ be a pseudo-uniformizer of A, and let f1, . . . , fn, g ∈A such that (f1, . . . , fn) = A. Then there exists N ∈N such that R f1, . . . , fn g = R f1, . . . , fn, ϖN g .
Proof. Write Pn i=1 aifi = 1, with a1, . . . , an ∈A. As A+ is open in A, there exists N ∈N such that ϖNai ∈A+ for every i ∈{1, . . . , n}. Then, if x ∈R f1,...,fn g , we have |ϖN|x = | n X i=1 ϖNaifi|x ≤max 1≤i≤n |fi|x ≤|g|x, hence x ∈R f1,...,fn,ϖN g . The other inclusion is obvious.
V.2 Perfectoid spaces Definition V.2.1. (Definition 6.15 of .) A perfectoid space is an adic space (definition III.6.5.3) that is locally isomorphic to Spa(A, A+), for (A, A+) a perfectoid Huber pair. We say that X is affinoid perfectoid if X = Spa(A, A+) for (A, A+) a perfectoid Huber pair. A morphism of perfectoid spaces is a morphism of adic spaces.
169 V Perfectoid algebras By theorem V.1.6.1, for every perfectoid Huber pair (A, A+), the space Spa(A, A+) is an affinoid perfectoid space (i.e. its structure presheaf is a sheaf). Theorem V.1.6.1 also has the following corollary.
Corollary V.2.2. (Proposition 6.17 of .) Every perfectoid space X has a tilt X♭, which is a perfectoid space over Fℓwith an isomorphism of topological spaces (.)♭: X →X♭, such that, for every affinoid perfectoid subspace U of X, if U ♭is the image of U in X♭, then the tilt of the pair (OX(U), O+ X(U)) is (OX♭(U ♭), O+ X♭(U ♭)).
Moreover, tilting induces an equivalence between the categories of perfectoid spaces over X and over X♭.
Unlike general adic spaces, perfectoid spaces admit fiber products.
Proposition V.2.0.1. (Proposition 6.18 of .) Let X →Z and Y →Z be two morphism of perfectoid spaces. Then the fiber product X ×Z Y exists in the category of adic spaces, and it is a perfectoid space.
Proof. We may assume that X, Y and Z are perfectoid affinoid, so X = Spa(A, A+), Y = Spa(B, B+) and Z = Spa(C, C+). As the maps C →A and C →B are automati-cally adic (because A, B and C are Tate rings, see proposition II.1.3.4), the completed tensor product D := \ A ⊗C B exists and is a Tate ring (see proposition II.3.2.1 and corollary II.3.1.9).
We take for D+ the completion of the integral closure of the image of A+ ⊗C+ B+ in D. Then Spa(D, D+) is the fiber product of X and Y over Z in the category of adic spaces, and it remains to prove that (D, D+) is a perfectoid pair. See the proof of proposition 6.18 of for details.
V.3 The almost purity theorem V.3.1 Statement Definition V.3.1.1. (Definition 7.1 of .) (i) A morphism (A, A+) →(B, B+) of Huber pairs is called finite ´ etale if B is a finite ´ etale A-algebra and has the corresponding canonical topology (see proposition II.4.2.2) and if B+ is the integral closure of A+ in A.
(ii) A morphism f : X →Y of adic spaces is called finite ´ etale if there is a cover of Y by open affinoid subsets V such that f −1(V ) is affinoid and the morphism (OY (V ), O+ Y (V )) →(OX(U), O+ X(U)) is finite ´ etale.
170 V.3 The almost purity theorem (iii) A morphism f : X →Y of adic spaces is called ´ etale if, for every x ∈X, there exists open neighborhoods U and V of x and f(x) and a commutative diagram U j / f|U W p V where j is an open embedding and p is finite ´ etale.
Remark V.3.1.2. The definition of an ´ etale morphism that we give here is not Huber’s definition (Huber’s definition is modelled on the definition for schemes, see definition 1.6.5 of ). How-ever, it is equivalent to it for adic spaces that are locally of finite type over a non-archimedean field (for example for adic spaces coming from rigid analytic varieties), by lemma 2.2.8 of , and it also gives a reasonable notion for adic spaces that are locally adic spectra of perfectoid pairs.
The main result of this section is the following : Theorem V.3.1.3. (Theorem 7.9 of .) Let (A, A+) be a perfectoid Huber pair, and let X = Spa(A, A+).
(i) The functor Y 7− →OY (Y ) induces an equivalence between the category of finite ´ etale maps of adic spaces Y →X and the category of finite ´ etale maps of rings A →B.
(ii) If A →B is a finite ´ etale map of rings and B+ is the integral closure of A in B, then B (with its canonical topology) is perfectoid and (B, B+) is a perfectoid Huber pair.
(iii) Tilting induces an equivalence between the categories of finite ´ etale Huber pairs over (A, A+) and over (A♭, A♭+).
This theorem will be proved in section V.3.7. It has an immediate corollary for ´ etale sites of perfectoid spaces.
Definition V.3.1.4. Let X be a perfectoid space. Then the ´ etale site X´ et of X is the category of ´ etale morphisms of perfectoid spaces Y →X, with the Grothendieck topology for which coverings are families (u : Yi →Y )i∈I such that Y = S i∈I ui(Yi).
Corollary V.3.1.5. If X is a perfectoid space, then tilting induces an isomorphism of sites X´ et ≃X♭ ´ et, and this isomorphism is functorial in X.
If (A, A+) →(B, B+) is a finite ´ etale map of perfectoid Huber pairs, we will need a way to describe the map of rings of integral elements A+ →B+. This map is not ´ etale, but we will see that it is almost ´ etale, for the correct definition of “almost”.
Definition V.3.1.6. (See sections 4.2 and 4.3 of .) Let (A, A+) be a perfectoid Huber pair, let B+ be a A+-algebra, and let M be a B+-module.
171 V Perfectoid algebras (i) We say that M is almost of finite presentation (or almost finitely presented) if, for every a ∈A00, there exists a finitely presented B+-module Ma and a morphism of B+-modules Ma →M whose kernel and cokernel are killed by a.
(ii) We say that M is almost projective if, for every B+-module N and every integer i ≥1, the B+-module Exti B+(M, N) is almost zero.
(iii) Suppose that M is a B+-algebra. We say that it is almost finite ´ etale (over B+) if it is almost of finite presentation, almost projective and if there exists e ∈(M ⊗B+ M)∗such that e2 = e, µ∗(e) = 1 and ker(µ)∗·e = 0, where µ : M ⊗B+ M →M is the multiplication map.
Remember that, by remark V.1.5.7, M∗is a (B+)∗-algebra in the situation of (iii).
Remark V.3.1.7.
(1) As in proposition V.1.5.4, we can require the conditions of definition V.3.1.6(i) only for fractional power of a well-chosen pseudo-uniformizer of A.
(2) We can define the abelian category of almost B+-modules by taking the quotient of the category of B+-modules by the Serre subcategory of almost zero B+-modules, and many of the “almost” notions have a natural interpretation in this category. However, a B+-module that is almost projective is in general not a projective object of the category of almost B+-modules; for example, B+ itself is almost projective, but it is not a projective almost B+-modules. (The category of almost modules has tensor products and internal Homs defined in the obvious way, and almost projectivity can be defined in the usual way using the internal Hom functor.) Remark V.3.1.8. The definition of almost finite ´ etale maps is motivated by the following result in ordinary commutative algebra : Let R →S be a locally free map of rings (i.e. let S be a flat R-algebra that is finitely presented as a R-module). Then R →S is ´ etale if and only if the map of rings µ : S ⊗R S →S, a ⊗b 7− →ab has a section, i.e. if and only there exists an idempotent e ∈S ⊗R S such that µ(e) = 1 and (Ker µ)e = 0.
Most of theorem V.3.1.3 will follow from the next result, which is slitghly more precise.
Theorem V.3.1.9. Let ϕ : (A, A+) →(B, B+) be a morphism of Huber pairs, with (A, A+) perfectoid. Choose a pseudo-uniformizer ϖ ∈A+ of A that is of the form ϖ = (ϖ♭)♯, with ϖ♭∈Aflat+ a pseudo-uniformizer of A♭.
(i) If ϕ is finite ´ etale, then B is also perfectoid.
(ii) Suppose that B is perfectoid. Then the following conditions are equivalent : (a) ϕ is finite ´ etale; (b) the A+-algebra B+ is almost finite ´ etale; (c) the A+/ϖA+-algebra B+/ϖB+ is almost finite ´ etale.
This theorem will be proved in section V.3.7.
172 V.3 The almost purity theorem V.3.2 The trace map and the trace pairing Let R →S be a finite locally free morphism of rings (i.e. S is a flat R-module of finite pre-sentation, or equivalently a finitely generated projective R-module). For every R-linear endo-morphism u of S, we can define its trace Tr(u) ∈R in the following way : There exists an affine covering (Spec(Ri))i∈I of Spec(R) such that S ⊗R Ri is a free Ri-module of finite rank for every i ∈I. If i ∈I, then u defines a Ri-linear endomorphism ui of S ⊗R Ri, so we can define Tr(ui) ∈Ri, and these elements glue to a global section Tr(u) of OSpec(R).
If a ∈S, left multiplication by a on S defines a R-linear endormophism on S, that we denote by ma. We get a R-linear morphism TrS/R : S →R, a 7− →Tr(ma).
Finally, the trace pairing is the R-linear morphism Tr : S ⊗R S →R, (a, b) 7− →TrS/R(ab).
Remember the following “well-known” result.
Theorem V.3.2.1. Let R →S be a finite locally free morphism of rings. Then the following conditions are equivalent : (i) The morphism R →S is ´ etale.
(ii) The trace pairing Tr : S ⊗R S →R is nondegenerate, i.e. the R-linear morphism S →HomR(S, R) that it defines by adjunction is an isomorphism (of R-modules).
(iii) There exists an idempotent e ∈S ⊗R S such that µ(e) = 1 and (Ker µ)e = 0, where µ : S ⊗R S →S is the multiplication. In other words, there exists an isomorphism of S-algebras S⊗RS ≃S×S′ (that does not preserve unit elements) such that µ : S⊗RS →S corresponds to the first projection.
We will also need the following results.
Lemma V.3.2.2. Let R →S be a finite locally free morphism of rings, and let R+ be a subring of R that is integrally closed in R and such that R = R+[ 1 ϖ], for some ϖ ∈R+. Let S+ be the integral closure of R+ in S. Then S = S+[ 1 ϖ].
Proof. Note that the rank of S as a R-module is a locally constant function on Spec(R). As Spec(R) is quasi-compact, we can write Spec(R) as a finite disjoint union of open and closed subschemes over which the rank of S is constant, and it suffices to prove the result over each of this subschemes. So we may assume that S has constant R-rank, say n.
Let a ∈S, and let f = Pn r=0(−1)rTr(∧rma)T r ∈R[T] be the characteristic polynomial of ma, where ∧rma : Vr R S →Vr R S is the rth exterior power of ma. By the Cayley-Hamilton theorem, we have f(a) = 0, so a ∈S+ if Tr(∧rma) ∈R+ for 0 ≤r ≤n. In general, as R = R+[ 1 ϖ], we may find m ∈N such that ϖmrTr(∧rma) = Tr(∧rmϖma) =∈R+ for every r ∈{0, . . . , n}, so ϖma ∈S+, and we are done.
173 V Perfectoid algebras Lemma V.3.2.3. Let R →S be a finite ´ etale map of rings, and let e ∈S ⊗R S be an idempotent as in theorem V.3.2.1(iii). Write e = Pn i=1 ai ⊗bi, with n a positive integer and ai, bi ∈S. Then, for every c ∈S, we have n X i=1 aiTrS/R(cbi) = n X i=1 biTrS/R(cai) = c.
Proof. Let µ : S ⊗R S →S be the multiplication, and let S′ = Ker µ. As (Ker µ)e = 0, we have (a ⊗1)e = (1 ⊗a)e (in S ⊗R S) for every a ∈S. We get an isomorphism of S-algebras S × S′ ∼ →S ⊗R S sending (a, b) to (a ⊗1)e + b, whose inverse sends x ∈S ⊗R S to (µ(x), x −(µ(x) ⊗1)e). Note that Pn i=1 biTrS/R(cai) = TrS⊗RS/S((c ⊗1)e), where we see S ⊗R S as a S-algebra using the map b 7− →b ⊗1. As the trace is additive on direct products of finite ´ etale S-algebras, we see that TrS⊗RS/S((c ⊗1)e) = TrS/S(c) + TrS′/S(0) = c. We prove the other equality in the same way (this time by using the map S →S ⊗R S, b 7− →1 ⊗b).
V.3.3 From almost finite ´ etale to finite ´ etale In this section, we fix a perfectoid Huber pair (A, A+), and a pseudo-uniformizer ϖ ∈A+ of A that has a compatible system (ϖ1/ℓn)n≥0 of ℓth power roots and such that ϖ divides ℓin A+.
Proposition V.3.3.1. We have a fully faithful functor from the category of almost finite ´ etale A+-algebras B0 (with morphisms taken up to almost equality) to the category of finite ´ etale (A, A+) pairs (B, B+), defined by sending B0 to the pair (B := B0[ 1 ϖ], B+), where B+ is the integral closure of A+ in B. Moreover, every pair (B, B+) in the essential image of this functor is perfectoid.
Proof. The functor is well-defined by lemma V.3.3.3. Suppose that B0 is an almost finite ´ etale A+-algebra, with image (B, B+). By lemma V.3.3.3 again, we have (B0)∗= B0, so we can almost recover B0 from (B, B+). This shows that the functor is fully faithful.
Lemma V.3.3.2. If M is an almost finitely presented A+-module, then M[ 1 ϖ] is a finitely pre-sented A-module. If moreover M is almost projective, then M[ 1 ϖ] is a projective A-module, and M is almost ϖ-torsionfree (i.e. the submodule M[ϖ∞] of ϖ-power torsion elements of M is almost zero).
Proof.
(1) We show that M[ 1 ϖ] is finitely presented as a A-module. By assumption, there exists a finitely presented A+-module N and a morphism of A+-modules N →M whose kernel and cokernel are ϖ-torsion. So we get an isomorphism N[ 1 ϖ] ≃M[ 1 ϖ], and N[ 1 ϖ] is a finitely presented A-module.
174 V.3 The almost purity theorem (2) We show that the A-module M[ 1 ϖ] is projective if M is almost projective. (See the proof of lemma 2.4.15 of .) Let ε ∈A00. As M is almost finitely presented, there exists ϕ : (A+)n →M such that ε Coker(ϕ) = 0. Let M ′ = Im(ϕ), ψ : An →M ′ be the induced surjection and j : M ′ →M be the inclusion. Then we have ε(M/M ′) = 0, so there exists a A+-linear map γ : M →M ′ such that j ◦γ : M →M is multiplication by ε. We have an exact sequence HomA+(M, (A+)n) ψ∗ →HomA+(M, M ′) →Ext1 A+(M, Ker ψ).
As M is almost projective, the third term is almost zero, so ψ∗is almost surjective. Let δ ∈A00. Then δγ ∈HomA+(M, M ′) is in the image of ψ, so there exists u : M →(A+)n such that δγ = ψ ◦u. In particular, composing by the inclusion j : M ′ →M, we see that (δε)idM = ϕ ◦u. If we take ε = ϖ1/ℓand δ = ϖ(ℓ−1)/ℓ, we see that we can find maps v : (A+)n →M and u : M →(A+)n such that v ◦u = ϖidM. But then ϖ−1v[ 1 ϖ] is a section of u[ 1 ϖ], so M[ 1 ϖ] is a direct factor of An, hence it is a projective A-module.
(3) We show that M is almost ϖ-torsionfree if M is almost projective. Let N = M[ϖ∞]. Let r ∈N. In (2), we have shown that we can find maps v : (A+)n →M and u : M →(A+)n such that v ◦u = ϖ1/ℓridM. If x ∈N, then u(x) = 0 because A+ is ϖ-torsionfree, so ϖ1/ℓrx = v(u(x)) = 0. As r was arbitrary, this shows that N is almost zero.
Lemma V.3.3.3. If B0 is an almost finite ´ etale A+-algebra, then B := B0[ 1 ϖ] is a finite ´ etale A-algebra, it is perfectoid for its canonical topology, (B0)∗= B0, and the integral closure B+ of A+ in B is a ring of integral elements of B.
Proof. We first reduce to the case where B0 is ϖ-torsionfree. Let J = B0[ϖ∞] be the ideal of ϖ-power torsion elements of B0. It suffices to show that J is almost zero. But this is the last statement of lemma V.3.3.2.
We already know that B is a finitely presented projective A-module by lemma V.3.3.2. We de-note the multiplication map on B0 by µ : B0 ⊗A+ B0 →B0. As B0 is almost finite ´ etale over A+, there exists an idempotent e ∈(B0 ⊗A+ B0)∗such that µ∗(e) = 1 and (Ker µ∗)e = 0. Note that B ⊗A B = (B0 ⊗A+ B0)[ 1 ϖ] = (B0 ⊗A+ B0)∗[ 1 ϖ], and that the multiplication ν : B ⊗A B →B is equal to µ[ 1 ϖ] and to µ∗[ 1 ϖ]. Let f be the image of e by the obvious map (B0⊗A+B0)∗→B⊗AB.
Then f is an idempotent, ν(f) = 1 and (Ker ν)f = 0. In particular, the map ν : B ⊗A B →B has a section, so it is flat. This means that the map A →B is weakly ´ etale, and we have already seen that it is of finite presentation. The fact that B is an ´ etale A-algebra now follows from [25, Lemma 0CKP].
In particular, we can put the canonical topology on B (as a A-module), which makes B into a complete topological A-algebra. Let u : M →B0 be a A+-module map with ϖ-torsion kernel and cokernel, and such that M is a finitely generated A+-module. We may assume that M is 175 V Perfectoid algebras ϖ-torsionfree. Then u induces an isomorphism M[ 1 ϖ] ∼ →B, and M with its ϖ-adic topology is an open subgroup of M[ 1 ϖ]. As ϖ−1B0 ⊂u(M) ⊂B0, this shows that B0 is open and bounded in B. Also, as B0 ⊂ϖ−1u(M), B0 also has the ϖ-adic topology. So B is a complete Tate ring.
By lemma V.3.3.4, the map a 7− →a is an almost isomorphism from B0/ϖ1/ℓB0 to B0/ϖB0.
So we can apply proposition V.1.5.10 to conclude that B is perfectoid and that B0 = (B0)∗.
It remains to show that B+ is an open subring of B (we already know that B+ ⊂B0, since B0 ⊂B0 and B0 contains the image of A+ in B). We have seen that there exists a finitely generated A+-submodule M of B such that M ⊂B0 ⊂ϖ−1M. Let b ∈B0. Then ϖbM ⊂M, so ϖb is integral over A+. This shows that ϖB0 ⊂B+, hence that B+ is open.
Lemma V.3.3.4. (Lemma 4.3.8 of .) 2 Let R →S be a weakly ´ etale map of Fp-algebras; this means that the maps R →S and S ⊗R S →S, a ⊗b 7− →ab are both flat. Then the diagram R FrobR/ R S FrobS / S (where FrobR and FrobS are the absolute Frobenius maps a 7− →ap) is a pushout square of rings. In particular, if R is perfect, so is S.
V.3.4 The positive characteristic case Proposition V.3.4.1. (Proposition 4.3.4 of .) Let (A, A+) be a perfectoid Huber pair of char-acteristic ℓ, and let ϖ ∈A+ be a pseudo-uniformizer of A. Let η : A+ →B0 be an integral map with B0 perfect. Suppose that the induced map η[ 1 ϖ] : A →B := B0[ 1 ϖ] is finite ´ etale. Then η is almost finite ´ etale.
Proof. Let J = B0[ϖ∞] be the ideal of ϖ-power torsion elements of B0. We claim that J is almost zero. Indeed, let b ∈J, and let n ∈N such that ϖnb = 0. Then, for every r ∈N, we have (ϖn/ℓrb1/ℓr)ℓr = 0, hence ϖn/ℓrb1/ℓr = 0 because B0 is perfect, hence ϖn/ℓrb = 0. By proposition V.1.5.4, this implies that J is almost zero. So replacing B0 by B0/J affects neither the hypothesis nor the conclusion, and we may assume that J = 0, i.e. that B′ 0 is ϖ-torsionfree.
Now let B′ be the integral closure of B0 in B. We show that B′ is almost equal to B0, which will allow us to replace B0 by B′. Let f ∈B′. Then the B0-module of B spanned by f N is finitely generated, so there exists r ∈N such that ϖrf n ∈B0 for every n ∈N. As B0 is perfect, this implies that ϖr/ℓnf ∈B0 for every n ∈N, so f ∈(B0)∗by proposition V.1.5.8(ii). So we 2Almostify this lemma.
176 V.3 The almost purity theorem have shown that B0 ⊂B′ ⊂(B0)∗, and the fact that B0 and B′ are almost equal follows from proposition V.1.5.8(i).
By the previous two paragraphs, we may assume that B0 is ϖ-torsionfree and integrally closed in B.
As A → B is finite ´ etale by assumption, we can find an idempotent e ∈B ⊗A B = (B0 ⊗A+ B0)[ 1 ϖ] such that µ(e) = 1 and (Ker µ)e = 0, where µ : B ⊗A B →B is the multiplication map (see remark V.3.1.8). Choose r ∈N such that ϖre ∈B0 ⊗A+ B0. As e is idempotent, we have eℓn = e for every n ∈N, hence e = e1/ℓn because B ⊗A B is perfect (by lemma V.3.3.4). As B0 ⊗A+ B0 is also perfect (by the same lemma) and injects in B ⊗A B, we see that (ϖre)1/ℓn = ϖr/ℓne ∈B0 ⊗A+ B0 for every n ∈N, so e ∈(B0 ⊗A+ B0)∗by proposition V.1.5.8(ii).
It remains to show that B0 is almost finitely presented and almost projective over A+. Let n ∈N. We just proved that ϖ1/ℓne ∈B0 ⊗A+ B0, so we can write ϖ1/ℓne = P i∈I ai ⊗bi, with I finite and ai, bi ∈B0. Consider the maps α : B →AI and β : AI →B defined by α(b) = (TrB/A(bai))i∈I and β((ci)i∈I) = P i∈I cibi. We claim that β◦α is equal to multiplication by ϖ1/ℓn. Indeed, let b ∈B. Then β(α(b)) = X i∈I biTrB/A(bai) = ϖ1/ℓnTr((b ⊗1)e), so the claim follows from lemma V.3.2.3.
Moreover, as B0 is integrally closed in B (and A+ is integrally closed in A), the map TrB/A : B →A sends B0 to A+ as B0, so α sends B0 to (A+)I. It is clear that β sends (A+)I to B0. As B0 and A+ are ϖ-torsionfree, the restrictions to α and β define maps α0 : B0 →(A+)I and β0 : (A+)I →B0 such that β0◦α0 is equal to multiplication by ϖ1/ℓn. Consider the sequence (A+)I γ0 →(A+)I β0 →B0, where γ0 = ϖ1/ℓmid −α0 ◦β0.
Then β0 ◦γ0 = 0, so we get a map Coker(γ0) →B0 whose kernel and cokernel are killed by ϖ1/ℓm.3 As Coker(γ0) is clearly finitely presented, this shows that B0 is an almost finitely presented A+-module. Let N be another A+-module, and let i ≥1 be an integer.
Then multiplication by ϖ1/ℓm on Exti A+(B0, N) factors as Exti A+(B0, N) β∗ 0 →Exti A+((A+)I, N) α∗ 0 →Exti A+(B0, N). As Exti A+((A+)I, N) = 0, this shows that multiplication by ϖ1/ℓm is 0 on Exti A+(B0, N). Hence Exti A+(B0, N) is almost zero.
Corollary V.3.4.2. (Theorem 4.3.6 of .) Let (A, A+) be a perfectoid Huber pair of character-istic ℓ, and let ϖ ∈A+ be a pseudo-uniformizer of A. Then the functor of proposition V.3.3.1 is an equivalence of categories.
In other words, we have an equivalence of categories from the category of finite ´ etale A-algebras to the category of almost finite ´ etale A+-algebras (where we identity two maps that are 3Check.
177 V Perfectoid algebras almost equal). This equivalence is given by sending a finite ´ etale map A →B to the integral closure B+ of A+ in B, and by sending an almost finite ´ etale A+-algebra B0 to the A-algebra B0[ 1 ϖ].
In particular, every finite ´ etale A-algebra is perfectoid for the canonical topology.
Proof. Let C (resp. C ′) be the category of finite ´ etale A-algebras (resp. almost finite ´ etale A+-algebras with almost equal maps identified). By lemma V.3.3.3, the formula B0 7− →B0[ 1 ϖ] define a functor from Ψ : C ′ →C , and every A-algebra in this essential image of this functor is perfectoid.
Let B be a finite ´ etale A-algebra, and let B+ be the integral closure of A+ in B. By lemma V.3.2.2, we have B = B+[ 1 ϖ]. By proposition V.3.4.1, B+ is an almost finite ´ etale A+-algebra.
So sending B to B+ defines a functor Φ : C →C ′.
It remains to show that the functors Φ and Ψ are mutually quasi-inverse. If B is a finite ´ etale A-algebra and B+ = Φ(B), then we have already seen that B = B+[ 1 ϖ] = Ψ(B+). Conversely, let B0 be an almost finite ´ etale A+-algebra, let B = B0[ 1 ϖ], and let B+ be the integral closure of A+ in B. We claim that (B0)∗= B+ ∗, which will give a functorial isomorphism between B0 and B+ in C ′. But this is proved in lemma V.3.3.3.
V.3.5 Deforming almost finite ´ etale extensions The main result of this section is the following : Theorem V.3.5.1. (Theorem 5.3.27 of .) Let (A, A+) be a perfectoid pair, and let ϖ ∈A+ be a pseudo-uniformizer of A. Then reduction modulo ϖ induces an equivalence of category from the category of almost finite ´ etale A+-algebras to the category of almost finite ´ etale A+/ϖA+-algebras.
The following definition is temporary. Eventually, we will prove that it is equivalent to defini-tion V.3.1.1(i).
Definition V.3.5.2. Let (A, A+) be a perfectoid Huber pair. A pair (B, B+) is called strongly finite ´ etale if : (i) B+ is an almost finite ´ etale A+-algebra; (ii) B+ is the integral closure of A+ in B.
Corollary V.3.5.3. Let (A, A+) be a perfectoid Huber pair. Any strongly finite ´ etale pair over (A, A+) is also perfectoid, and tilting induces an equivalence between the categories of strongly finite ´ etale pairs over (A, A+) and of finite ´ etale pairs over (A♭, A♭+).
178 V.3 The almost purity theorem Proof. Let ϖ♭∈A♭+ be a pseudo-uniformizer of A♭such that ϖ := (ϖ♭)♯is a pseudo-uniformizer of A dividing ℓin A+.
By proposition V.3.3.1, every strongly finite ´ etale pair over (A, A+) is perfectoid, and the category of strongly finite ´ etale pairs over (A, A+) is equivalent to the category of almost finite ´ etale A+-algebras; we have a similar result for (A♭, A♭+). By corollary V.3.4.2, every finite ´ etale pair over (A♭, A♭+) is strongly finite ´ etale. Finally, by theorem V.3.5.1, the category of almost ´ etale A+-algebras (resp. A♭+-algebras) is equivalent to the category of almost finite ´ etale A+/ϖA+-algebras (resp. A♭+/ϖ♭A♭+-algebras). So we get an equivalence between the category of strongly finite ´ etale pairs over (A, A+) and the category of finite ´ etale pairs over (A♭, A♭+), and this is the tilting equivalence by definition of tilting and by remark V.1.2.3.
V.3.6 The case of perfectoid fields Proposition V.3.6.1. (Proposition 3.2.10 of , proof due to Kedlaya.) Let K be a perfectoid field. If K♭is algebraically closed, then so is K.
Remember that we know that K♭is a perfectoid field by proposition V.1.2.9.
Proof. We may assume that K has characteristic 0. Let f(T) ∈K0[T] be a monic polynomial of degree d ≥1. We want to find a root of f(T) in K0. We will construct by induction a sequence (xn)n≥0 of elements of K0 such that, forr every n ∈N : (a) |f(xn)| ≤|ℓ|n; (b) if n ≥1, then |xn −xn−1| ≤|ℓ|(n−1)/d.
Condition (b) shows that (xn)n≥0 converges to some x ∈K0, and then (a) shows that f(x) = 0.
We set x0 = 0. Suppose that n ≥0 and that we have constructed x0, . . . , xn satisfying (a) and (b). We want to construct xn+1 satisfying the same properties. Write f(T + xn) = Pd i=0 biT i, with b0, . . . , bd ∈K0. We have bd = 1 by assumption. If b0 = 0, then f(xn) = 0, so we may take xm = xn for every m ≥n + 1. From now on, we assume that b0 ̸= 0. Let c = min{| b0 bj | 1 j , 1 ≤j ≤d, bj ̸= 0}.
As bd ̸= 0, we have c ≤|b0| 1 d ≤1. Let |.| be the rank 1 valuation giving the topology of K.
The value groups of |K×| and |K♭|♭are canonically isomorphic by construction of |.|♭. 4 As K♭ is algebraically closed, |K×| ≃|(K♭)×|♭is a Q-vector space, so there exists u ∈K× such that c = |u|. As c ≤1, we have u ∈K0. By definition of c, we have bi b0ui ∈K0 for every i, and there exists at least one i ≥1 such that bi b0ui ̸∈K00, i.e. such that bi b0ui is a unit in K0.
4Add a lemma ?
179 V Perfectoid algebras Choose t ∈K♭0 such that |t♯| = |ℓ|.
It is easy to see that K♭0/tK♭0 ≃K0/ℓK0.
5 Consider any lift g(T) ∈ K♭0[T] of the image of the polynomial Pd i=0 bi b0uiT i in (K0/ℓK0)[T] ≃(K♭0/tK♭0)[T]. By lemma V.3.6.2, there exists a unit y in K♭0 such that g(y) = 0.
We set xn+1 = xn + uy♯. We have to check that this xn+1 satisfies conditions (a) and (b). Firs, we have f(xn+1) = f(uy♯+ xn) = d X i=0 biui(yi)♯= b0 d X i=0 bi b0 ui(yi)♯ !
.
As y is a root of g(T), the sum between parentheses is equal to 0 modulo ℓ. So |f(xn+1)| ≤|b0||ℓ| = |f(xn)||ℓ| ≤|ℓ|n|ℓ| = |ℓ|n+1.
This proves (a). Moreover, as y is a unit (so |y♯| = 1), we have |xn+1 −xn| = |uy♯| = |u| = c ≤|b0| 1 d = |f(xn)| 1 d ≤|ℓ| n d .
This proves (b).
Lemma V.3.6.2. (Lemma 3.2.11 of .) Let K be a complete and algebraically closed non-archimedean field, and R = K0. Let f(T) ∈R[T] be a polynomial of degree e ≥1 such that the constant coefficient and at least one other coefficient of f(T) are units in R. Then f(T) has a root which is a unit of R.
Proof. Let m = K00 be the maximal ideal of R and k = R/m be its residue field. By the hy-pothesis, the image of f(T) in k[T] is a polynomial of degree ≥1 whose constant coefficient is a unit, so we can a pseudo-uniformizer ϖ of K such that the image of f(T) in R/ϖR[T] is a poly-nomial of degree ≥1 whose leading term and constant term are units in R/ϖR. We also write f : R[T] →R[T] for multiplication by f(T). Then the induced map R/ϖR[T] →R/ϖR[T] is finite free of degree ≥2, so, if R⟨T⟩is the ϖ-completion of R[T] and b f : R⟨T⟩→R⟨T⟩ is the extesion of f by continuity, the map b f is also finite free of degree ≥2. In particular, the ring S := R⟨T⟩/(f(T)) is a finite free R-algebra of dimension ≥2. As R is a henselian local ring, we can write S ≃Q i∈I Si, where I is finite and each Si is a finite free local R-algebra.
Reducing modulo m, we get k[T]/(f(T)) ≃Q i∈I Si/m, with the Si/m local. As the constant term of f(T) modulo m is nonzero, at least one of the roots of f(T) modulo m is a unit in k. So the map k[T]/(f(T)) ∼ →Q i∈I Si/m sends T to a unit in at least one of the residue fields of the Si/m; as the Si are local, the map R[T]/(f(T)) sends T to a unit in at least one of the Si, say Si0. As Si0 is a finite free R-module and K is algebraically closed, the ring Si0,red[ 1 ϖ] is isomor-phic to a nonempty product of copies of K. Projecting on one of the copies gives a morphism Si0 →K. As Si0 is integral over R and R is integrally closed in K, this map factors through a 5Add a lemma ?
180 V.3 The almost purity theorem map Si0 →R. So we have produced maps R[T]/(f(T)) →Si0 →R; the first one sends T to a unit in Si0, so the composition sends T to a unit in R. The image of T by this composition is the desired root of f(T).
Corollary V.3.6.3. (See theorems 3.2.8 and 6.2.10 of .) Let K be a perfectoid field. Then : (i) Any finite separable field extension of K is perfectoid.
(ii) If L/K is a finite separable field extension, then L/K and L♭/K♭have the same degree.
(iii) Tilting induces an equivalence between the categories of finite separable field extensions of K and of K♭.
Proof. Let Kfet (resp. K♭ fet) be the category of finite separable field extensions of K (resp.
K♭). By corollary V.3.5.3, untilting induces a fully faithful functor (.)♯: K♭ fet →Kfet that preserves degrees, and it suffices to show that this functor is essentially surjective. As (.)♯is fully faithful, it preserves automorphism groups, and so it preserves Galois extensions. By the main theorem of Galois theory, if L/K♭is a finite Galois extension, then (.)♯induces a bijection between subextensions of L/K♯and of L♯/K. So it suffices to show that every finite separable extension of K embeds in some L♯, for L/K♭a finite Galois extension.
Let C = c K♭be the completion of an algebraic closure of K♭. This is an algebraically closed perfectoid extension of K♭, and its untilt C♯over K is a perfectoid extension of K, that is also algebraically closed by proposition V.3.6.2. As C is the filtered inductive limit in the category of perfectoid K♭-algebras of all the finite separable extensions L of K♭contained in C. Let C0 ⊂C♯be the union of all the L♯, for L/K♭a finite separable extension contained in C. Then C0 is clearly algebraic over K, and it is dense in C♯. (By construction of the untilting functor.) By Krasner’s lemma (see for example section 25.2 of ), C0 is algebraically closed if and only if C♯is, so C0 is algebraically closed. This implies that every finite separable field extension of K embeds into C0, as desired.
V.3.7 Proof of theorems V.3.1.3 and V.3.1.9 V.3.7.1 Proof of theorem V.3.1.3 from theorem V.3.1.9 Suppose that theorem V.3.1.9 holds. This immediately implies (ii) and (iii) of theorem V.3.1.3.
We show (i). Let X = Spa(A, A+), and let Y →X be a finite ´ etale map of adic spaces. By definition, there is a finite cover X = Sn i=1 Spa(Ai, A+ i ) by rational domains such that, for every i, Y ×X Spa(Ai, A+ i ) ≃Spa(Bi, B+ i ) with (Ai, A+ i ) →(Bi, B+ i ) a finite ´ etale map of Huber pairs. By theorem V.3.1.9, for every i, the pair (Bi, B+ i ) is perfectoid and B+ i is almost finite 181 V Perfectoid algebras ´ etale over A+. In particular, Y is a perfectoid space, and tilting the situation gives a finite ´ etale map Y ♭→X♭:= Spa(A♭, A♭+). In other words, we may assume that A has characteristic ℓ.
Then we finish as in the proof of proposition 7.6 of : We can write (A, A+) as the completion of an inductive limit of perfections (A′, A′+)perf of strongly Noetherian Huber pairs, the finite ´ etale morphism Y →X descend to a finite ´ etale morphism to Spa of one of these (A′, A′+)perf which comes from a finite ´ etale morphism to Spa(A′, A′+) by the topological invariance of the ´ etale site, this morphism comes from a finite ´ etale A′-algebra by example 1.6.6(ii) of , and we pull this back to (A, A+) using lemma 7.3(iv) of .
V.3.7.2 Proof of theorem V.3.1.9 We already know that (i) holds in characteristic ℓby corollary V.3.4.2, and for perfectoid field by corollary V.3.6.3. In (ii), we know that (b) and (c) are equivalent by theorem V.3.5.1, and that (b) implies (a) by proposition V.3.3.1; we also know that (a) implies (b) in characteristic ℓor if A is a field by corollaries V.3.4.2 and V.3.6.3.
Let B be a finite ´ etale A-algebra, and let B+ be the integral closure of A+ in B. We still need to show that B is perfectoid and that B+ is almost finite ´ etale over A+. Consider the morphism of adic spaces f : Y := Spa(B, B+) →X := Spa(A, A+). Let x ∈X. Then the finite ´ etale map Y ×X Spa(κ(x), κ(x)+) comes from a finite ´ etale perfectoid pair over (κ(x), κ(x)+), which corresponds to a finite ´ etale perfectoid pair over (κ(x)♭, κ(x)♭+) = (κ(x♭), κ(x♭)+) (see theorem V.1.6.1).
On the other hand, (κ(x♭), κ(x♭)+) is the completion of lim − → U♭∋x♭ (OX♭(U ♭), O+ X♭(U ♭)), where we take the limit over rational domains U ♭of X♭such that x♭∈U ♭, by proposition III.6.3.1 and proposition III.6.3.7(i). As taking the category of finite ´ etale covers commutes with filtered colimits and with completions (more precisely, see corollary 10.0.5 of ), the finite ´ etale pair over (κ(x♭), κ(x♭)+) from the previous paragraph extends over a neighborhood of x♭. In other words (and using theorem V.1.6.1), we can find a rational domain V of X containing x such that the finite ´ etale OX(V )-algebra BV := B ⊗A OX(V ) is perfectoid, and that the integral closure of O+ X(V ) in BV is almost finite ´ etale over O+ X(V ).
As X is quasi-compact, this gives a finite rational convering (Vi)i∈I of X such that each Vi satisfies the two properties above. In othert words, Ui := Y ×X Vi is of the form Spa(Bi, B+ i ) with Si := B ⊗A OX(Vi) a finite ´ etale perfectoid OX(Vi)-algebra and B+ i almost finite ´ etale over O+ X(Vi). For all i, j ∈I, we have Ui ×Vj (Vi ∩Vj) ≃Uj ×Vi (Vi ∩Vj), because both sides are isomorphic to the unique finite ´ etale cover of Vi∩Vj corresponding to the finite ´ etale OX(Vi∩Vj)-algebra B ⊗A OX(Vi ∩Vj). So we can glue the Ui to get a perfectoid space Y and a map Y →X that is locally of the form Spa(B′, B′+) →Spa(A′, A′+), for (A′, A′+) →(B′, B′+) a strongly finite ´ etale map of Huber pairs. As in the proof of (i) of theorem V.3.1.3 in the previous subsection, we deduce that Y is of the form Spa(C, C+), for (A, A+) →(C, C+) strongly finite ´ etale. It remains to show that the A-algebras B and C are isomorphic. This follows from the fact 182 V.3 The almost purity theorem that they define isomorphic coherent OX-modules, which is clear from the definition of Y .
183 Index T0 space, 24 absolute value, 8 additive valuation, 8 adic (for a morphism of rings), 60 adic Point, 109 adic space, 120 adic topological ring, 55 affinoid k-algebra, 63 affinoid adic space, 120 affinoid field, 108 affinoid ring, 94 analytic point, 66 base (of a topology), 23 bounded subset (of a topological ring), 55 canonical topology, 89 Cauchy filter, 72 Cauchy sequence, 72 center (of a valuation subring), 17 characteristic group (of a valuation), 36 closed point, 24 cofinal, 47 complete, 72 completed residue field, 107 completion, 74 completion of a Huber pair, 101 constructible subset, 25 constructible topology, 26 continuous valuation, 64 continuous valuation spectrum, 64 convex subgroup, 11 convex subset (with respect to a valuation), 38 couple of definition, 55 discrete valuation, 13 discrete valuation ring, 13 domination, 7 equivalent valuation, 9 f-adic ring, 55 filter, 71 Frobenius endomorphism, 123 Gauss norm, 63, 110 generating family (of a topology), 23 generic point, 24 generization, 24 ghost components, 152 height of a totally ordered abelian group, 11 henselian local ring, 117 henselian pair, 116 horizontal generization, 38 horizontal specialization, 38 Huber pair, 94 Huber ring, 55 ideal of definition, 55 ind-constructible subset, 26 irreducible space, 24 isolated subgroup, 11 kernel of a valuation, 8 Kolmogorov space, 24 limit of a filter, 71 locally spectral space, 25 185 Index microbial valuation, 14 morphism of Huber pairs, 94 multiplicative valuation, 8 non-Archimedean field, 70 non-Archimedean topological ring, 55 Non-standard terminology., 109 open immersion, 119 open mapping theorem, 86 ordered abelian group, 7 perfect ring, 123 perfectoid field, 141 perfectoid Tate ring, 141 power-bounded element, 58 power-bounded subset, 58 primitive of degree 1, 152 pro-constructible, 26 pseudo-uniformizer, 62, 69 quasi-compact map, 23 quasi-compact space, 23 quasi-separated space, 23 rank (of a valuation), 12 rational covering, 129 rational subset, 95 Riemann-Zariski space, 17 ring of definition, 55 ring of integral elements, 94 semiperfect ring, 123 simple Laurent covering, 129 sober space, 24 specialization, 24 spectral map, 28 spectral space, 25 stably uniform Huber pair, 121 standard Laurent covering, 128 standard rational covering, 128 strict ℓ-ring, 152 strict morphism, 126, 127 strongly Noetherian, 121 subbase (of a topology), 23 support of a valuation, 8 Tate algebra, 63 Tate ring, 55 Teichm¨ uller representative, 152 tilt, 148 topologicall nilpotent subset, 58 topologically finitely generated, 63 topologically nilpotent element, 14 topologically of finite type, 123 trivial valuation, 9 uniform topological ring, 121 valuation, 9 valuation ring, 7 valuation spectrum, 19 valuation topology, 13 value group, 8 vertical generization, 35 vertical specialization, 35 Witt polynomials, 151 Witt vectors, 151 Zariski closed subset (of the adic spectrum), 101 186 Bibliography Bhargav Bhatt.
Lecture notes for a class on perfectoid spaces.
http:// www-personal.umich.edu/˜bhattb/teaching/mat679w17/lectures.
pdf, 2017.
Bhargav Bhatt, Matthew Morrow, and Peter Scholze.
Integral p-adic Hodge theory.
2019.
S. Bosch, U. G¨ untzer, and R. Remmert.
Non-Archimedean analysis, volume 261 of Grundlehren der Mathematischen Wissenschaften [Fundamental Principles of Mathemat-ical Sciences]. Springer-Verlag, Berlin, 1984. A systematic approach to rigid analytic geometry.
Siegfried Bosch. Lectures on formal and rigid geometry, volume 2105 of Lecture Notes in Mathematics. Springer, Cham, 2014.
N. Bourbaki.
´ El´ ements de math´ ematique. Fasc. XXX. Alg ebre commutative. Chapitre 6: Valuations. Actualit´ es Scientifiques et Industrielles, No. 1308. Hermann, Paris, 1964.
N. Bourbaki. ´ El´ ements de math´ ematique. Topologie g´ en´ erale. Chapitres 1 a 4. Hermann, Paris, 1971.
Nicolas Bourbaki. Espaces vectoriels topologiques. Chapitres 1 a 5. Masson, Paris, new edition, 1981. ´ El´ ements de math´ ematique. [Elements of mathematics].
Kevin Buzzard and Alain Verberkmoes.
Stably uniform affinoids are sheafy.
J. Reine Angew. Math., 740:25–39, 2018.
Brian Conrad. Number theory learning seminar 2014-2015.
stanford.edu/˜conrad/Perfseminar/, 2015.
Jean-Marc Fontaine.
Perfecto¨ ıdes, presque puret´ e et monodromie-poids (d’apres Peter Scholze). Ast´ erisque, (352):Exp. No. 1057, x, 509–534, 2013. S´ eminaire Bourbaki. Vol.
2011/2012. Expos´ es 1043–1058.
Ofer Gabber and Lorenzo Ramero. Almost ring theory, volume 1800 of Lecture Notes in Mathematics. Springer-Verlag, Berlin, 2003.
Timo Henkel. An Open Mapping Theorem for rings which have a zero sequence of units.
2014.
M. Hochster. Prime ideal structure in commutative rings. Trans. Amer. Math. Soc., 142:43– 187 Bibliography 60, 1969.
R. Huber. Continuous valuations. Math. Z., 212(3):455–477, 1993.
R. Huber.
A generalization of formal schemes and rigid analytic varieties.
Math. Z., 217(4):513–551, 1994.
Roland Huber. ´ Etale cohomology of rigid analytic varieties and adic spaces. Aspects of Mathematics, E30. Friedr. Vieweg & Sohn, Braunschweig, 1996.
Masaki Kashiwara and Pierre Schapira.
Categories and sheaves, volume 332 of Grundlehren der Mathematischen Wissenschaften [Fundamental Principles of Mathemati-cal Sciences]. Springer-Verlag, Berlin, 2006.
Kiran S. Kedlaya. On commutative nonarchimedean Banach fields. Doc. Math., 23:171– 188, 2018.
Kiran S. Kedlaya and Ruochuan Liu.
Relative p-adic Hodge theory: foundations.
Ast´ erisque, (371):239, 2015.
Falko Lorenz.
Algebra. Vol. II.
Universitext. Springer, New York, 2008.
Fields with structure, algebras and advanced topics, Translated from the German by Silvio Levy, With the collaboration of Levy.
Hideyuki Matsumura. Commutative ring theory, volume 8 of Cambridge Studies in Ad-vanced Mathematics.
Cambridge University Press, Cambridge, second edition, 1989.
Translated from the Japanese by M. Reid.
Peter Scholze. Perfectoid spaces. Publ. Math. Inst. Hautes ´ Etudes Sci., 116:245–313, 2012.
Peter Scholze. ´ etale cohomology of diamonds.
07343.pdf, 2017.
Jean-Pierre Serre. Corps locaux. Hermann, Paris, 1968. Deuxi eme ´ edition, Publications de l’Universit´ e de Nancago, No. VIII.
The Stacks Project Authors. Stacks Project. 2019.
Torsten Wedhorn.
Adic spaces.
Perfseminar/refs/wedhornadic.pdf, 2012.
188 |
190111 | https://corporatefinanceinstitute.com/resources/accounting/common-size-analysis/ | Corporate Finance Institute
Home › Resources › Accounting › Common Size Analysis
Table of Contents
What is Common Size Analysis?
Formula for Common Size Analysis
Types of Common Size Analysis
Balance Sheet Common Size Analysis
Income Statement Common Size Analysis
What are the Benefits of Common Size Analysis?
Download the Free Template
Related Readings
Common Size Analysis
A financial analysis tool that expresses each line item as a percentage of the base amount for a given period
Written by Jeff Schmidt
Read Time 4 minutes
Over 2.8 million + professionals use CFI to learn accounting, financial analysis, modeling and more. Unlock the essentials of corporate finance with our free resources and get an exclusive sneak peek at the first module of each course. Start Free
What is Common Size Analysis?
Common size analysis, also referred to as vertical analysis, is a tool that financial managers use to analyze financial statements. It evaluates financial statements by expressing each line item as a percentage of a base amount for that period. The analysis helps to understand the impact of each item in the financial statements and its contribution to the resulting figure.
The technique can be used to analyze the three primary financial statements, i.e., balance sheet, income statement, and cash flow statement. In the balance sheet, the common base item to which other line items are expressed is total assets, while in the income statement, it is total revenues.
Summary
Common size analysis evaluates financial statements by expressing each line item as a percentage of a base amount for that period.
The formula for common size analysis is the amount of the line item divided by the amount of the base item. For example, cost of goods sold (line item) divided by revenue (base item).
Benefits of common size analysis is that it allows investors to identify large changes in a company’s financial statements, as well as the ability to compare companies of different sizes.
Formula for Common Size Analysis
Common size financial statement analysis is computed using the following formula:
Types of Common Size Analysis
Common size analysis can be conducted in two ways, i.e., vertical analysis and horizontal analysis. Vertical analysis refers to the analysis of specific line items in relation to a base item within the same financial period. For example, in the balance sheet, we can assess the proportion of inventory by dividing the inventory line using total assets as the base item.
On the other hand, horizontal analysis refers to the analysis of specific line items and comparing them to a similar line item in the previous or subsequent financial period. Although common size analysis is not as detailed as trend analysis using ratios, it does provide a simple way for financial managers to analyze financial statements.
Balance Sheet Common Size Analysis
The balance sheet common size analysis mostly uses the total assets value as the base value. A financial manager or investor can use the common size analysis to see how a firm’s capital structure compares to rivals. They can make important observations by analyzing specific line items in relation to the total assets.
For example, if the value of long-term debt in relation to the total assets value is high, it may signal that the company may become distressed.
Let’s take the example of ABC Company, with the following balance sheet:
From the table above, we calculate that cash represents 14.5% of total assets while inventory represents 12%. In the liabilities section, accounts payable is 15% of total assets, and so on.
Income Statement Common Size Analysis
The base item in the income statement is usually the total sales or total revenues. Common size analysis is used to calculate net profit margin, as well as gross and operating margins.
The ratios tell investors and finance managers how the company is doing in terms of revenues, and can be used to make predictions of future revenues and expenses. Companies can also use this tool to analyze competitors to know the proportion of revenues that goes to advertising, research and development, and other essential expenses.
We can also analyze ABC Company’s income statement:
By looking at this common size income statement, we can see that the company spent 10% of revenues on research and development and 3% on advertising.
Net income represents 10% of total revenues, and this margin can be compared to the previous year’s margin to see the company’s year-over-year performance.
What are the Benefits of Common Size Analysis?
One of the benefits of using common size analysis is that it allows investors to identify large changes in a company’s financial statements. It mainly applies when the financials are compared over a period of two or three years. Any significant movements in the financials across several years can help investors decide whether to invest in the company.
For example, large drops in the company’s profits in two or more consecutive years may indicate that the company is going through financial distress. Similarly, considerable increases in the value of assets may mean that the company is implementing an expansion or acquisition strategy, potentially making the company attractive to investors.
Common size analysis is also an excellent tool to compare companies of different sizes but in the same industry. Looking at their financial data can reveal their strategy and their largest expenses that give them a competitive edge over other comparable companies.
For example, some companies may sacrifice margins to gain a large market share, which increases revenues at the expense of profit margin. Such a strategy may allow the company to grow faster than comparable companies.
When comparing any two common size ratios, it is important to make sure that they are computed by using the same base figure. Failure to do so will render the comparison meaningless.
Download the Free Template
Enter your name and email in the form below and download the free template now!
By submitting your email address, you consent to receive email messages (including discounts and newsletters) regarding Corporate Finance Institute and its products and services and other matters (including the products and services of Corporate Finance Institute's affiliates and other organizations). You may withdraw your consent at any time. This request for consent is made by Corporate Finance Institute, #1392 - 1771 Robson Street, Vancouver, BC V6G 3B7, Canada. www.corporatefinanceinstitute.com. [email protected]. Please click here to view CFI`s privacy policy.
Related Readings
Thank you for reading CFI’s guide to Common Size Analysis. To keep learning, the following CFI resources will be helpful:
Analysis of Financial Statements
Projecting Income Statement Line Items
Comparable Company Analysis
Financial Analysis Ratios Glossary
See all accounting resources
Analyst Certification FMVA® Program
Below is a break down of subject weightings in the FMVA® financial analyst program. As you can see there is a heavy focus on financial modeling, finance, Excel, business valuation, budgeting/forecasting, PowerPoint presentations, accounting and business strategy.
A well rounded financial analyst possesses all of the above skills!
Additional Questions & Answers
CFI is the global institution behind the financial modeling and valuation analyst FMVA® Designation. CFI is on a mission to enable anyone to be a great financial analyst and have a great career path. In order to help you advance your career, CFI has compiled many resources to assist you along the path.
In order to become a great financial analyst, here are some more questions and answers for you to discover:
What is Financial Modeling?
How Do You Build a DCF Model?
What is Sensitivity Analysis?
How Do You Value a Business?
Get Certified for Financial Modeling (FMVA)®
Gain in-demand industry knowledge and hands-on practice that will help you stand out from the competition and become a world-class financial analyst.
Learn More
Share this article
Corporate Finance Institute
Back to Website
0 search results for ‘’
People also search for: excel power bi esg accounting balance sheet fmva real estate
Explore Our Certifications
Financial Modeling & Valuation Analyst (FMVA)®
Commercial Banking & Credit Analyst (CBCA)®
Capital Markets & Securities Analyst (CMSA)®
Certified Business Intelligence & Data Analyst (BIDA)®
Financial Planning & Wealth Management Professional (FPWMP)®
FinTech Industry Professional (FTIP)®
Resources
Mastering Excel Shortcuts for PC and Mac List of Excel Shortcuts Excel shortcuts - It may seem slower at first if you're used to the mouse, but it's worth the investment to take the time and...
Financial Modeling Guidelines CFI’s free Financial Modeling Guidelines is a thorough and complete resource covering model design, model building blocks, and common tips, tricks,...
SQL Data Types What are SQL Data Types? The Structured Query Language (SQL) comprises several different data types that allow it to store different types of information...
Structured Query Language (SQL) What is Structured Query Language (SQL)? Structured Query Language (known as SQL) is a programming language used to interact with a database....
See All Resources See All
Popular Courses
FMVA® Prep Course 2h 14min Excel Fundamentals - Formulas for Finance
FMVA® Required 3h 15min 3-Statement Modeling
FMVA® Required 3h 9min Introduction to Business Valuation
FMVA® Required 56min Scenario & Sensitivity Analysis in Excel
FMVA® Required 2h 24min Dashboards & Data Visualization
4h 33min Leveraged Buyout (LBO) Modeling
See All Courses See All
Recent Searches
Excel Courses Financial Modeling & Valuation Analyst (FMVA)®
Create a free account to unlock this Template
Access and download collection of free Templates to help power your productivity and performance.
Create a Free Account
Already have an account? Log in
Supercharge your skills with Premium Templates
Take your learning and productivity to the next level with our Premium Templates.
Upgrading to a paid membership gives you access to our extensive collection of plug-and-play Templates designed to power your performance—as well as CFI's full course catalog and accredited Certification Programs.
Discover Paid Memberships
Already have a Self-Study or Full-Immersion membership? Log in
Access Exclusive Templates
Gain unlimited access to more than 250 productivity Templates, CFI's full course catalog and accredited Certification Programs, hundreds of resources, expert reviews and support, the chance to work with real-world finance and research tools, and more.
Discover Full-Immersion Membership
Already have a Full-Immersion membership? Log in |
190112 | http://www.grad.hr/geomteh3d/Monge/04duzina/duzina_eng.html | Orthogonal projection on a Line Segment and its True Length
True length of a line segment
| | |
--- |
| If a line segment AB doesn't lie on a ray of projection, then its horizontal and vertical projections are line segments A'B' and A''B''. | |
| If a line segment AB is on an oblique line, then its projections have smaller length, i.e. d(A,B) > d(A',B') & d(A,B) > d(A'',B''). This fact is obtained from the properties of the right trapezoids shown in the picture on the right. | |
It is very important to determine the true length of a line segment AB given with its projections (A'B',A''B'').- We rotate the right trapezoid ABB'A' around the side A'B' for the right angle into the horizontal plane. Point A corresponds to the point Ao , point B to Bo and the following relation holds: d(A,B) = d(Ao,Bo). The length of A'Ao equals the z-coordinate of the point A, and the same holds for B, so this trapezoid A'AoB'Bo can easily be constructed in the horizontal plane. Determining the true length of a line segment-1
- If the z-coordinates of points A and B have opposite signs, after the rotation we obtain two right triangles. We can also rotate the right trapezoid ABB''A'' into the vertical plane. We denote the image of A and B with Ao and Bo. The length of A''Ao equals the y-coordinate of the point A, the same is valid for the point B. Determining the true length of a line segment-2 If the y-coordinates of the points A and B have opposite signs, the image of this trapezoid after the rotation is two right triangles. Straight line appearing in true length
- Orthogonal projection of a line segment is in true length if and only if the line segment is parallel to the image plane.
| | | |
---
| | | |
| Lines AB i CD are parallel to Π1, their horizontal projections are in true length. | Lines EF i GH are parallel to Π2, their vertical projections are in true length. | Line IJ is parallel to the ground line x, both its projections are in true length. |
Created by Sonja Gorjanc 3DGeomTeh - Developing project of the University of Zagreb. Translated by Helena Halas and Iva Kodrnja. |
190113 | https://www.cuemath.com/geometry/plane-definition/ | Plane Definition
In mathematics, a plane is a flat, two-dimensional surface that extends up to infinity. Planes can appear as subspaces of some multidimensional space, as in the case of one of the walls of the room, infinitely expanded, or they can enjoy an independent existence on their own, as in the setting of Euclidean geometry. The two types of planes are parallel planes and intersecting planes. Two non-intersecting planes are called parallel planes, and planes that intersect along a line are called Intersecting planes.
| Definition of a Plane
| How do you Make a Plane in Math?
| Parallel Planes
| Intersecting Planes
| Naming of Planes in Geometry
| Solved Examples on Plane
| Practice Questions on Plane
| FAQs on Plane
Definition of a Plane
In geometry, a plane is a flat surface that extends into infinity. It is also known as a two-dimensional surface. A plane has zero thickness, zero curvature, infinite width, and infinite length. It is actually difficult to imagine a plane in real life; all the flat surfaces of a cube or cuboid, flat surface of paper are all real examples of a geometric plane. We can see an example of a plane in which the position of any given point on the plane is determined using an ordered pair of numbers or coordinates. The coordinates show the correct location of the points on the plane.
The figure shown above is a flat surface extending in all directions. So, it is a plane.
Properties of Planes
A plane in math has the following properties:
How do you Make a Plane in Math?
In math, a plane can be formed by a line, a point, or a three-dimensional space. All the faces of a cuboid are planes. There is an infinite number of plane surfaces in a three-dimensional space.
Point
A point is defined as a specific or precise location on a piece of paper or a flat surface, represented by a dot. It has no width. A point has zero dimensions.
Line
A line is a combination of infinite points together. It extends in both directions. It has one dimension. The planes are difficult to draw because you have to draw the edges. But it is important to understand that the plane does not actually have edges, and it extends infinitely in all directions. The plane has two dimensions - length and width. However, since the plane is infinitely huge, its length and width cannot be estimated. To represent the idea of a plane, we can use a four-sided figure as shown below:
Therefore, we can call this figure plane QPR.
Identify Plane in a Three-Dimensional Space
In three-dimensional space, planes are all the flat surfaces on any one side of it. For example in the cuboid given below, all six faces of cuboid, those are, AEFB, BFGC, CGHD, DHEA, EHGF, and ADCB are planes. They all have only two dimensions - length and breadth.
Parallel Planes
Parallel planes are planes that never intersect. The below figure shows two planes, P and Q, that do not intersect each other. So, they are parallel planes. There are several examples of parallel planes, such as the opposite walls of the room and the floor.
Intersecting Planes
Intersecting planes are planes that are not parallel and they always intersect along a line. Two planes cannot intersect in more than one line. The below figure shows the two planes, P and Q, intersect in a single line XY. Therefore, the XY line is the common line between the P and Q planes. The two connecting walls are a real-life example of intersecting planes.
Naming of Planes in Geometry
Planes in geometry are usually referred to as a single capital (capital) letter in italics, for example, in the diagram below, the plane could be named UVW or plane P.
Important Notes
Related Articles on Plane Definition
Check out these interesting articles on Plane. Click to know more!
Solved Examples on Plane
Example 1: Sophie, a teacher, is asking her students. Are the points P, E, R, H coplanar?
Solution:
According to the definition of coplanarity, points lying in the same plane are coplanar. Points P, E, R, and H lie in the same plane. So they are coplanar. ∴ Yes, points P, E, R, and H are coplanar.
Example 2: Anna was asked to give other names for plane P. Can you help her?
Solution:
We can name the plane by its vertices. So, in the given diagram, the plane could be named plane HDF, plane HGF, and plane HGD.
go to slidego to slide
Book a Free Trial Class
Practice Questions on Plane
go to slidego to slidego to slide
FAQs on Plane
How do you Define a Plane?
A plane is a flat two-dimensional surface. There is an infinite number of points and lines that lie on the plane. It can be extended up to infinity with all the directions. There are two dimensions of a plane- length and width.
What are the Examples of Plane Surfaces?
The surfaces which are flat are known as plane surfaces. Examples of plane surfaces are the surface of a room, the surface of a table, and the surface of a book, etc.
Is Diamond a Plane Shape?
A diamond is a 2-dimensional flat figure that has four closed and straight sides. Yes, it is a plane shape as it has two dimensions- length and width.
How Many Points do you Need for a Plane?
Any three noncollinear points make up a plane.
What is the Angle Between Two Intersecting Planes?
The angle between two intersecting planes is called the Dihedral angle.
How many Dimensions does a Plane have?
Planes are two-dimensional, but they can exist in three-dimensional space.
Is a Plane a Curved Surface?
A plane has two dimensions: length and width. All planes are flat surfaces. If it is not a flat surface, it is known as a curved surface. |
190114 | https://s2.smu.edu/~helgason/cse8394/algebra03.pdf | Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 1 Convex combinations of more than two points Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 2 We first consider the extension to three points in Rn.
Given a, b, c ∈Rn and v, w, x ∈R , y(v, w, x) = va + wb + xc , with v + w + x = 1 and v, w, x ≥0 is a (parameterized) convex combination of the given points.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 3 Let us do a little algebra, assuming that v + w ̸= 0.
y(v, w, x) = va + wb + xc = (v + w) " v v + w !
a + w v + w !
b # + xc = (1 −x) " v v + w !
a + w v + w !
b # + xc Define b′ = v v + w a + w v + w b .
Then b′ is a convex combination of a and b (Why?) and y(v, w, x) is a convex combination of b′ and c.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 4 So, assuming that the points are distinct, what is { va+wb+xc : v+w+x = 1 and 0 ≤v, w, x ≤1 } , the set of all convex combinations of a, b, c ∈Rn ?
We have that b′ = v v + w !
a + w v + w !
b (with v + w ̸= 0) and va + wb + xc = (1 −x)b′ + xc (with x = 1 −v −w) Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 5 { va + wb + xc : v + w + x = 1 and 0 ≤v, w, x ≤1 } consists of all the points on the edges and inside the triangle with corner points a, b, and c.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 6 We now consider the extension to many points in Rn.
Let A = {a1, . . . , am} be a given finite set of m points in Rn. The set A can be used to generate different polyhedral objects in Rn by combining its elements using various linear operations. The elements of A are the generators of the objects they define.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 7 One of these fundamental objects is the convex hull of the points in A (a polytope) defined by H(A) = m X i=1 λiai : m X i=1 λi = 1 and λ1, . . . , λm ≥0 The convex hull consists of all convex combinations of the generators.
In R3 one can visualize the convex hull of many points as a multi-faceted diamond.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 8 Any set is said to be convex if it contains all convex combinations of any finite set of points from that set.
H(A) is convex since it can be shown that a convex combination of convex combinations of given points is a convex combination of those points.
Example: 1 2 "1 3a1 + 2 3a2 # + 1 2 "2 3a2 + 1 3a3 # = 1 6a1 + 2 3a2 + 1 6a3 Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 9 The minimum cardinality subset F ⊂A which gen-erates H(A) is called the frame of H(A).
A frame is to a convex hull what a basis is to a linear combination.
In R3 when visualizing the convex hull of many points as a multi-faceted diamond, the corner points are the generators.
It can be shown that a point is a member of F if and only if it cannot be written as a strict convex combi-nation of two distinct points of H(A).
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 10 The fundamental tool for determining the frame F from A is the generic linear program: (LP) z = min X j∈J λj s.t.
X j∈J λjaj = ak λj ≥0 , j ∈J where A′ ⊂A and J = { j : aj ∈A′\ak }.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 11 Fundamental Results: If F ⊂A′, ak ̸= 0, and the linear program (LP) is feasible, then ak ∈F if and only if at optimality z > 1.
If F ⊂A′, ak ̸= 0, and the linear program (LP) is infeasible, then ak ∈F.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 12 Naive approaches to finding F based on iterative so-lution of problems of type (LP) have long been used.
Computationally they suffer by starting with large size sets A′ (and J) and only slowly decreasing their sizes.
Dula, Helgason, and Hickman have shown how to more efficiently compute F, in part making use of iterative solution of problems of type (LP) starting with small size sets A′ (and J) and slowly increasing their sizes.
Helgason EMIS 8394 July 8, 2004 [Convex Combinations 2] 13 References: J.H. Dul´ a and R.V. Helgason (1996), A new proce-dure for identifying the frame of the convex hull of a finite collection of points in multidimensional space, European Journal of Operational Research 92, 352-367.
J.H. Dul´ a, R.V. Helgason, and B.L. Hickman (1992), Preprocessing schemes and a solution method for the convex hull problem in multidimensional space, Com-puter Science and Operations Research: New Devel-opments in Their Interfaces, O. Balci (ed.), 59-70, Pergamon Press, U.K. |
190115 | https://madasmaths.com/archive/maths_booklets/further_topics/various/complex_numbers_part_1_exam_questions.pdf | Created by T. Madas Created by T. Madas COMPLEX NUMBERS (Exam Questions I) Created by T. Madas Created by T. Madas Question 1 () 9 3i 1 2i w −+ = − . Find the modulus and the argument of the complex number w . FP1-M , 3 2 w = , 3 arg 4 w π = − Question 2 () Solve the equation 2 2 2i 5 0 z z − − = , z ∈ . 3 1 i 2 2 z = ± + Created by T. Madas Created by T. Madas Question 3 () Find the value of x and the value of y in the following equation, given further that x∈ , y∈ . ( )( ) i 2 i 3 i x y + + = −. FP1-A , ( ) ( ) , 1, 1 x y = − Question 4 () 4i 1 i z λ λ + = + , λ ∈ . Given that z is a real number, find the possible values of λ . 2 λ = ± Created by T. Madas Created by T. Madas Question 5 () Find the values of x and y in the equation ( ) ( ) 2 2 1 i 2 i 3 10i x y + + − = + , x∈ , y ∈ . 7 x = , 1 y = Question 6 () Find the value of x and the value of y in the following equation, given further that x∈ , y∈ . ( )( ) i 3 4i 3 4i x y + + = − . FP1-E , ( ) ( ) 7 24 , , 25 25 x y = − − Created by T. Madas Created by T. Madas Question 7 () The complex number z satisfies the equation 1 18i 4 3z 2 i z − − = − , where z denotes the complex conjugate of z . Solve the equation, giving the answer in the form i x y + , where x and y are real numbers. 4 i z = − Question 8 () 3 4i z = −+ and 14 2i zw = − + . By showing clear workings, find … a) … w in the form i a b + , where a and b are real numbers. b) … the modulus and the argument of w . 2 2i w = + , 2 2 w = , arg 4 w π = Created by T. Madas Created by T. Madas Question 9 () 22 4i z = + and 6 8i z w = − . By showing clear workings, find … a) … w in the form i a b + , where a and b are real numbers . b) … the modulus and the argument of w . 1 2i w = + , 5 w = , c arg 1.11 w ≈ Question 10 () ( ) 2 7 4i 2 i 8 2 i z − = − + − + . Express z in the form i x y + , where x and y are real numbers. FP1-P , 3 7i −− Created by T. Madas Created by T. Madas Question 11 () The complex conjugate of z is denoted by z . Solve the equation 27 23i 2 3 1 i z z − + − = + , giving the answer in the form i x y + , where x and y are real numbers. 2 5i z = + Question 12 (+) Solve the following equation. 2 21 20i z = − , z ∈. Give the answers in the form i a b + , where a∈ and b∈ . FP1-K , ( ) 5 2i z = ± − Created by T. Madas Created by T. Madas Question 13 (+) The cubic equation 3 2 2 5 5 0 z z cz − + − = , c∈ , has a solution 1 2i z = − . Find in any order … a) … the other two solutions of the equations. b) … the value of c . 2 1 2i z = + , 3 1 2 z = , 12 c = Created by T. Madas Created by T. Madas Question 14 (+) The quadratic equation 2 2 1 2i 0 z z − + − = , c∈ , has a solution i z = −. Find the other solution. FP1-W , 2 2 i z = + Created by T. Madas Created by T. Madas Question 15 (+) ( ) 8 i 7 2 z z − = − , z ∈ . The complex conjugate of z is denoted by z . Determine the value of z in the above equation, giving the answer in the form i x y + , where x and y are real numbers. 2 3i z = + Question 16 (+) 3 2 26 0 z Az Bz + + + = , where A∈ , B∈ One of the roots of the above cubic equation is 1 i + . a) Find the real root of the equation. b) Determine the values of A and B . 13 z = − , 11 A = , 24 B = − Created by T. Madas Created by T. Madas Question 17 (+) The complex conjugate of z is denoted by z . Solve the equation ( ) 12 i 9 2 z z − = − , giving the answer in the form i x y + , where x and y are real numbers. 2 5i z = + Question 18 (+) The complex number z satisfies the equation ( ) 2 iz 3 3 5i z − = − , where z denotes the complex conjugate of z . Determine the value of z , giving the answer in the form i x y + , where x and y are real numbers. 1 7i z = − Created by T. Madas Created by T. Madas Question 19 (+) The cubic equation 3 2 2 4 0 z z z p − + + = , p∈ , is satisfied by 1 2i z = + . a) Find the other two roots of the equation. b) Determine the value of p . FP1-P , 3 1 2i, 2 − − , 15 p = Created by T. Madas Created by T. Madas Question 20 (+) Solve the following equation. 2 5 12i w = − , w∈ . Give the answers in the form i a b + , where a∈ and b∈ . FP1-C , ( ) 3 2i w = ± − Created by T. Madas Created by T. Madas Question 21 (+) 1 3i z = + and 2 2i w z = + . Find the exact value of the modulus of w and the exact value of the argument of w . 4 2 w = , 7 arg 12 w π = Created by T. Madas Created by T. Madas Question 22 (+) The following cubic equation is given 3 2 5 0 z az bz + + − = , where a∈ , b∈ . One of the roots of the above cubic equation is 2 i + . a) Find the other two roots. b) Determine the value of a and the value of b . 2 2 i z = − , 3 1 z = , 5 a = − , 9 b = Created by T. Madas Created by T. Madas Question 23 (+) The following cubic equation is given 3 2 6 0 z pz z q + + + = , where p∈ , q∈ . One of the three solutions of the above cubic equation is 5 i −. a) Find the other two solutions of the equation. b) Determine the value of p and the value of q . 2 3 5 i, 2 z z = + = , 8 p = − , 52 q = Created by T. Madas Created by T. Madas Question 24 (+) The complex number z is defined as ( )( ) 2 i 1 i 1 2i z = + − . It is further given that ( ) 3i 3i z P z Q z − + − = where P and Q are real constants. Find the value of P and the value of Q . SYNF-C , 3 P = , 4 Q = Created by T. Madas Created by T. Madas Question 25 () 3 i z = + and 3i w = . a) Find, in exact form where appropriate, the modulus and argument of z and the modulus and argument of w . b) Determine simplified expressions for zw and w z , giving the answers in the form i x y + , where x∈ , y ∈ . c) Find, in exact form where appropriate, the modulus and argument of zw and the modulus and argument of w z . 2, 3 z w = = , arg , arg 6 2 z w π π = = , 3 3 3i zw = −+ , 3 3 3i 4 4 w z = + , 3 6, 2 w zw z = = , ( ) 2 arg ,arg 3 3 w zw z π π = = Created by T. Madas Created by T. Madas Question 26 () Find the value of x and the value of y in the following equation, given further that x∈ , y∈ . 1 1 2 3i i 1 i x y − = − + + . FP1-I , ( ) ( ) 5 7 , , 37 37 x y = Created by T. Madas Created by T. Madas Question 27 () Find the square roots of 1 i 3 + . Give the answers in the form i a b + , where a∈ and b∈ . FP1-G , ( ) 1 6 i 2 2 ± + Created by T. Madas Created by T. Madas Question 28 () Solve the equation 13 11 3i 1 z z = − + , z ∈ , giving the answer in the form i x y + , where x and y are real numbers. 1 3i z = − Question 29 () The complex conjugate of w is denoted by w . Given further that 1 2i w = + and 2 25w z w w = − , show clearly that z is a real number, stating its value. 12 Created by T. Madas Created by T. Madas Question 30 () The following cubic equation is given 3 2 2 0 z z az b + + + = , where a∈ , b∈ . One of the roots of the above cubic equation is 1 i + . a) Find the real root of the equation. b) Find the value of a and the value of b . 4 z = − , 6 a = − , 8 b = Created by T. Madas Created by T. Madas Question 31 () The following complex numbers are given. 1 2 2i z = − , 2 3 i z = + and 3 i z a b = + where a∈ , b∈ . a) If 1 3 16 z z = , find the modulus 3 z . b) Given further that 3 2 7 arg 12 z z π = , determine the argument of 3 z . c) Find the values of a and b , and hence show 3 1 2 z z = −. FP1-Q , 3 4 2 z = , 3 3 arg 4 z π = , 4 a = − , 4 b = Created by T. Madas Created by T. Madas Question 32 () Solve the equation 4 3 2 2 14 33 26 10 0 z z z z − + − + = , z ∈ given that one of its roots is 3 i + . FP1-Q , 1 1 1 1 3 i, 3 i, i, i 2 2 2 2 z z z z = + = − = + = − Created by T. Madas Created by T. Madas Question 33 () 3 2 2 16 0 z pz qz + + + = , p∈ , q∈ . The above cubic equation has roots α , β and γ , where γ is real. It is given that ( ) 2 1 i 3 α = + . a) Find the other two roots, β and γ . b) Determine the values of p and q . ( ) 2 1 i 3 β = − , 1 2 γ = − , 7 p = − , 28 q = Created by T. Madas Created by T. Madas Question 34 () Find the value of x and the value of y in the following equation, given that , x y∈ . 1 1 1 i 1 2i x y + = + + . FP1-O , ( ) ( ) 1 , 1, 2 x y = − Created by T. Madas Created by T. Madas Question 35 () Consider the cubic equation 3 10 0 z z + + = , z ∈ . a) Verify that 1 2i + is a root of this equation. b) Find the other two roots. 1 2 1 2i, 2 z z = − = − Created by T. Madas Created by T. Madas Question 36 () The complex conjugate of z is denoted by z . Solve the equation ( ) 2 3i 2 13 4i 1 i z z + + = + + , giving the answer in the form i x y + , where x and y are real numbers. 3 i z = + Created by T. Madas Created by T. Madas Question 37 () 4 3 2 8 33 68 52 0 z z z z − + − + = , z ∈ . One of the roots of the above quartic equation is 2 3i + . Find the other roots of the equation. FP1-O , 2 3i, 2 z z = − = Question 38 () Find the values of x and y in the equation i 3 2 i 2 i 1 2i x y + = + − − , x∈ , y ∈ . 4 x = , 5 y = Created by T. Madas Created by T. Madas Question 39 () The complex conjugate of z is denoted by z . Find the two solutions of the equation ( )( ) i i 6 22i z z z − − = − , z ∈ , giving the answers in the form i x y + , where x and y are real numbers. 1 2 3i z = + , 2 28 9i 5 5 z = + Created by T. Madas Created by T. Madas Question 40 () Find the value of x and the value of y in the following equation, given further that x∈ , y∈ . 1 5i 1 i 3 2i 2 i x y − = + + − −. FP1-R , ( ) ( ) , 2,0 x y = Created by T. Madas Created by T. Madas Question 41 () Find the value of z and the value of w in the following simultaneous equations 2 1 i z w + = − 3 3i z w − = + . 1 2i, 4 i z w = −+ = −− Question 42 () It is given that 2i i z z k + = + , k ∈ and 2 2i w z = + , Im 8 w = . Determine the value of k . 4 k = Created by T. Madas Created by T. Madas Question 43 (+) Given that z and w are complex numbers prove that 2 2 4 Re Re z w z w z w + − − = , where w denotes the complex conjugate of w . FP1-M , proof Created by T. Madas Created by T. Madas Question 44 (+) Find the three solutions of the equation 2 4 4 1 0 z z + + = , z ∈ , where z denotes the complex conjugate of z . 1 1 1 , i, i 2 2 2 z = + − Question 45 (+) The complex numbers z and w are defined as 3 i z = + and 1 2i w = + . Determine the possible values of the real constant λ if 2 z w λ λ + = + . FP1-N , 0, 1 λ λ = = − Created by T. Madas Created by T. Madas Question 46 (+) The complex number z satisfies the equation 2 3 4i z = + . a) Find the possible values of … i. … z . ii. … 3 z . b) Hence, by showing detailed workings, find a solution of the equation 6 3 4 125 0 w w − + = , w∈ , ( ) 2 i z = ± + , 3 2 11i z = ± , ( ) 2 i w = ± + Created by T. Madas Created by T. Madas Question 47 (+) Solve the following quadratic equation ( ) 2 6 10 6 i 0 z z z − + + − = , z ∈ . Give the answers in the form i a b + , a∈ , b∈ . FP1-J , 1 4 i z = + , 2 2 2i z = − Created by T. Madas Created by T. Madas Question 48 (+) Solve teach of the following equations. a) 2 2i 8 0 z z + + = , z ∈ . b) 2 16 30i w + = , w∈ . 1 2 2i, 4i z z = = − , ( ) 3 5i w = ± + Created by T. Madas Created by T. Madas Question 49 (+) It is given that 2 z = and 1 2i z = + are solutions of the equation 4 3 2 3 0 z z az bz c − + + + = . where a , b and c are real constants. Determine the values of a , b and c . FP1-R , 5 a = , 1 b = −, 10 c = − Created by T. Madas Created by T. Madas Question 50 (+) The following complex numbers are given 1 i 1 i z + = − and 2 1 i w = −. a) Calculate the modulus of z and the modulus of w . b) Find the argument of z and the argument of w . In a standard Argand diagram, the points A , B and C represent the numbers z , z w + and w respectively. The origin of the Argand diagram is denoted byO . c) By considering the quadrilateral OABC and the argument of z w + , show that 3 tan 1 2 8 π = + . 1 z = , 1 w = arg 2 z π = , arg 4 w π = Created by T. Madas Created by T. Madas Question 51 (+) Solve the following quadratic equation ( ) 2 8 2 1 i 0 z z z − + + + = , z ∈ . Give the answers in the form i a b + , a∈ , b∈ . FP1-L , 1 2i z = , 2 1 4i z = − Created by T. Madas Created by T. Madas Question 52 (+) The quadratic equation ( ) 2 4 20 i 1 0 z z z A + + + + = , where A is a constant, has complex conjugate roots. If one of the roots of this quadratic is 2i z B = + , where B is a real constant, find the possible values of A . FP1-Y , 1 12i 1 4i A A = −+ = −− ∪ Created by T. Madas Created by T. Madas Question 53 (+) If 1 2i − is a root of the quartic equation 4 3 2 6 18 30 25 0 z z z z − + − + = find the other three roots. 2 3 4 1 2i, 2 i, 2 i z z z = + = − = + Question 54 () The complex conjugate of z is denoted by z . Solve the equation 2 2 z z z + = + , z ∈ . 1 z = Created by T. Madas Created by T. Madas Question 55 () It is given that cos isin z θ θ = + , 0 2 z π ≤ < . Show clearly that 2 1 i tan 1 2 z θ = − + . proof Created by T. Madas Created by T. Madas Question 56 () ( )( ) ( ) 3 4i 1 2i 1 i 1 3i q + + = + + , q∈ . a) Find the value of q . b) Hence simplify 4 arctan arctan 2 arctan3 3 + − , giving the answer in terms of π . 5 2 q = , 1 4π Created by T. Madas Created by T. Madas Question 57 () The complex conjugate of the complex number z is denoted by z . Solve the equation ( ) 2 1 2i i 2 3i 5z 1+2i z z − − + = , giving the answer in the form i x y + . 5 2i z = + Created by T. Madas Created by T. Madas Question 58 () It is given that 17 6i z = − − and 3 i w = + . Find the value of u given further that 1 3 1 10 2 u z w = + . 9 7i u = −− Created by T. Madas Created by T. Madas Question 59 () Sketch on a standard Argand diagram the locus of the points ( ) 2 1 i z = + , 3 i w = − and z w + , and use geometry to prove that tan 6 3 2 2 24 π = − + − . You must justify all the steps in this proof. FP1-L , proof Created by T. Madas Created by T. Madas Question 60 () The complex number z is given by i i a b z a b + = − , a∈ , b∈ . Show clearly that 2 2 2 2 2 1 2 z a b z a b + − = + . proof Created by T. Madas Created by T. Madas Question 61 () It is given that 1 8i 1 2i z + = − . a) Express z in the form i x y + , where x and y are real numbers. b) Find the modulus and argument of z . c) Show clearly that 2 arctan8 arctan 2 arctan 3 π + + = . 3 2i z = −+ , 13 z = , c arg 2.55 z ≈ Created by T. Madas Created by T. Madas Question 62 (+) Solve each of the following equations. a) 3 27 0 z − = . b) ( ) ( ) 2 i 2 2 w w w − − = − . ( ) 1 2 3 3, 1 3 2 z z = = −± , 1 2 2i, 1 i w w = = − Created by T. Madas Created by T. Madas Question 63 (+) ( ) ( ) 4 2 4 2 2 3i 3 2i n n z + + = + + − , n∈ . Show clearly that 0 z = for all n∈ . proof Question 64 (+) The complex conjugate of z is denoted by z . Show clearly that the equation 3 2z z z − = , is satisfied either by 0 z = or 1 z = ± . proof Created by T. Madas Created by T. Madas Question 65 (+) ( ) ( ) 5 2i 5 2i n n z = + + − , n∈ . Show clearly that z is a real number. proof Created by T. Madas Created by T. Madas Question 66 (+) The complex number z satisfies the relationship 1 1 z z + = −, 0 z ≠ . Show clearly that …. a) … 3 1 z = . b) … 8 4 1 z z + = −. FP1-W , proof Created by T. Madas Created by T. Madas Question 67 (+) ( ) ( ) 4 4 i i n n z a b b a = + + + , a∈ , b∈ , n∈ . Show that z is a real number. FP1-V , proof Created by T. Madas Created by T. Madas Question 68 (+) ( ) ( ) ( ) 3 2 4 2i 4 5i 1 3i 0 z z z − + + + − + = , z ∈ . Given that one of the solutions of the above cubic equation is 2 i z = + , find the other two solutions. FP1-U , 1 z = , 1 i z = + Created by T. Madas Created by T. Madas Question 69 () Find the solutions of the equation ( ) 4 4 16 1 w w = − , giving the answers in the form i x y + , where x∈ , y ∈ . SPX-A , 1 2 3 4 2 4 2 4 2 2, , i , i 5 5 5 5 3 z z z z = = = + = − Question 70 () Solve the quadratic equation ( ) 2 7 16 i 11 z z z − + = − , z ∈ . FP1-T , 2 3i, 5 2i z z = + = − Created by T. Madas Created by T. Madas Question 71 () ( ) ( ) 2 2 3 8i 4i 0 z z m − + − + = , z ∈ . Given that m is a real constant, find the two solutions of the above equation given further that one of these solutions is real. SPX-T , 1 2 z = , 2 4i z = + Created by T. Madas Created by T. Madas Question 72 () Solve the quadratic equation 2 4 i 4i 7 z z − + = , z ∈ . SPX-J , 2 3i, 2 i z z = −+ = + Question 73 () 4 3 2 2 2 3 4 0 z z z z − − + − = , z ∈ . By using the substitution 2 w z z = − , or otherwise, find in exact form the four solutions of the above equation. SPX-V , 1 17 1 i 3 , 2 2 z ± ± = Created by T. Madas Created by T. Madas Question 74 () Show that if n and m are natural numbers, then the equations 1 i n z = + 2 i m z = −, have no common solution for z ∈ . SPX-I , proof Created by T. Madas Created by T. Madas Question 75 () 4 3 2 20 0 z z z − + − = , z ∈ . By using the substitution 2 w z z = − , or otherwise, find in exact form the four solutions of the above equation. SPX-H , 1 21 1 i 15 , 2 2 z ± ± = Created by T. Madas Created by T. Madas Question 76 () Two distinct complex numbers 1 z and 2 z are such so that 1 2 0 z z r = = ≠ . Show clearly that 1 2 1 2 z z z z + − is purely imaginary. You may find the result 2 2 zz z r = = useful. SPX-G , proof Created by T. Madas Created by T. Madas Question 77 () The complex number z satisfies the relationship ( ) ( )( ) 5 i 4 3i 1 i n n z z + = + + , n∈ . Show that z is a real number. SPX-F , proof Created by T. Madas Created by T. Madas Question 78 () The complex numbers z and w are such so that 1 z w = = . Show clearly that 1 z w zw + + is real. SPX-D , proof Created by T. Madas Created by T. Madas Question 79 () ( ) ( ) 3 2 2 2 i 8 3i 5 i 0 z z z − − + − −+ = , z ∈ . Find the three solutions of the above equation given that one of these solutions is real. SPX-Q , 1 z = , 2 3i z = − , 2 i z = + Created by T. Madas Created by T. Madas Question 80 () Solve the quadratic equation 2 i 2 2 2 3 0 z z − − = , z ∈ . Give the answers in the form i x y + , where x and y are exact real constants. SPX-C , ( ) ( ) 1 i 3 2 , 1 i 3 2 z z = −+ − = − + Created by T. Madas Created by T. Madas Question 81 () The complex number z satisfies the equation ( ) 1 8i 1 i z z + + = + . Show clearly that 2 18 65 0 z z − + = , and hence find the possible values of z . SPX-B , 4 3i z = − , 12 5i z = + Created by T. Madas Created by T. Madas Question 82 () ( ) ( ) 3 2 2 4i 3 1 3i 14 2i 0 z z z − + − − + − = , z ∈ . Find the three solutions of the above equation given that one of these solutions is purely imaginary. SPX-E , 2i z = , 2 i z = −, 1 3i z = −+ Created by T. Madas Created by T. Madas Question 83 () It is given that = z w z w + , where z ∈ , w∈ , and 1 w > . Determine an exact simplified expression for z , in terms of w . SPX-P , 1 1 w w z w w ± = = ± − ∓ ∓ |
190116 | https://wordpandit.com/word-root-celer/ | Word Root: Celer - Wordpandit
COURSES
PREPLITE
EASY HINGLISH
GD/PI/WAT
READLITE
GK365
ASK ENGLISH PRO
Join CAT WhatsApp Group
Home
LIVE Watch
LIVE Read
CAT 2025 Prep
Actual CAT VARC Tests
RC & Terms
RC Rapidfire
CAT-24 Analysis
Vocab
10 Days Vocab Challenge
Word Roots
Word Adventure
History & Words
Daily Vocabulary
Vocab
Read
Grammar
Aptitude
GK
GK Shorts: Byte-Sized Learning
GK One Liners
Static GK
Static GK Lists
Topics in Focus
Select Page
Home
LIVE Watch
LIVE Read
CAT 2025 Prep
Actual CAT VARC Tests
RC & Terms
RC Rapidfire
CAT-24 Analysis
Vocab
10 Days Vocab Challenge
Word Roots
Word Adventure
History & Words
Daily Vocabulary
Vocab
Read
Grammar
Aptitude
GK
GK Shorts: Byte-Sized Learning
GK One Liners
Static GK
Static GK Lists
Topics in Focus
COURSES
PREPLITE
EASY HINGLISH
GD/PI/WAT
READLITE
GK365
ASK ENGLISH PRO
Word Root: Celer
Celer: The Root of Swiftness in Language and Action
Discover the origins, power, and applications of the root "celer," meaning "swift." From the speed implied in "accelerate" to the elegance of "celerity," this root reveals the significance of quickness across various fields.
Table of Contents
Introduction: The Essence of Celer
Etymology and Historical Journey
Mnemonic: Unlocking the Power of Celer
Common Celer-Related Terms
Celer Through Time
Celer in Specialized Fields
Illustrative Story: Celer in Action
Cultural Significance of the Celer Root
The Celer Family Tree
FAQs about the Celer Word Root
Test Your Knowledge: Celer Mastery Quiz
Conclusion: The Living Legacy of Celer
Introduction: The Essence of Celer
When we think of swiftness or speed, words like accelerate and celerity come to mind. These terms owe their dynamism to the root celer (pronounced sel-er), which means "swift." Originating from Latin, this root has influenced words that emphasize motion, efficiency, and agility. From the rapid pace of technology to the speed of light in science, "celer" resonates across various domains, celebrating the essence of quickness.
Etymology and Historical Journey
The root celer traces back to Latin, where it directly meant "swift" or "speedy." Ancient Romans admired celeritas (swiftness), especially in their military and communication systems. Over time, this root found its way into English, shaping words like "accelerate" and "decelerate." The Renaissance period, with its revival of classical languages, further cemented celer’s place in technical and everyday vocabulary.
Mnemonic: Unlocking the Power of Celer
To remember the meaning of "celer," imagine a cheetah—the epitome of speed—dashing across the savannah. Picture the word "celer" glowing on the cheetah’s back, symbolizing unmatched swiftness.
Mnemonic Device: "Celer means swift, like a cheetah in a drift!"
Common Celer-Related Terms
Accelerate (ak-sell-er-ate)
Definition: To increase speed or progress.
Example: "The car accelerated quickly on the open road."
Celerity (suh-ler-i-tee)
Definition: Swiftness of movement or action.
Example: "The firefighter’s celerity saved countless lives."
Decelerate (dee-sell-er-ate)
Definition: To reduce speed.
Example: "Drivers were advised to decelerate in the school zone."
Accelerant (ak-sell-er-ant)
Definition: A substance that speeds up a process, often in combustion.
Example: "Investigators identified the accelerant used to start the fire."
Accelerometer (ak-sell-er-om-uh-ter)
Definition: An instrument for measuring acceleration.
Example: "The accelerometer in the smartphone tracks movement and orientation."
Celer Through Time
The evolution of the root celer reveals how its core meaning of swiftness has adapted to different contexts:
Celeritas (Latin): Initially a military term, emphasizing rapid maneuvers and communications.
Accelerate (Modern English): Became widely associated with technological advancements, such as in vehicles and computing.
Celerity (Literary): Retains a poetic elegance, often used to describe graceful quickness in literature.
Celer in Specialized Fields
Physics and Engineering:
Term: Accelerometer
Application: Measures changes in velocity, essential in space exploration and smartphones.
Technology:
Term: Accelerate
Application: Describes the optimization of processes in computing, such as faster data transfers.
Sports:
Term: Celerity
Application: Describes athletes' agility and swift movements, critical in sprinting or fencing.
Fire Safety:
Term: Accelerant
Application: Refers to substances that increase combustion speed, used in fire investigations.
Illustrative Story: Celer in Action
Meet Leo, a competitive sprinter training for the Olympics. His coach emphasized the importance of not just raw speed but celerity—the ability to combine swiftness with grace and precision. During a critical race, Leo felt his heart accelerate as the crowd roared. Channeling his training, he surged ahead with unparalleled celerity, clinching the gold medal. His triumph demonstrated the power of celer in action—speed balanced with skill.
Cultural Significance of the Celer Root
The idea of swiftness has been celebrated across cultures. In Roman times, celeritas symbolized efficiency and power, crucial for their vast empire. Today, terms derived from "celer" echo in modern technology, such as in the acceleration of data and innovation. Literature and art often use celerity to capture the beauty of swift movements, from dancers to galloping horses.
The Celer Family Tree
Curr-/Curs- (Latin: "run")
Current: Flowing or running.
Cursory: Done quickly, often with little attention.
Tachy- (Greek: "speed")
Tachometer: Measures rotational speed.
Rapid- (Latin: "fast")
Rapid: Quick or fast movement.
FAQs About the Celer Word Root
Q: What does "celer" mean?
A: "Celer" is a Latin root that means "swift" or "speedy." It conveys the idea of quickness, whether in physical motion or the progression of events. Words like "accelerate" (to increase speed) and "celerity" (graceful swiftness) are derived from this root.
Q: How is "celerity" different from "speed"?
A: While both "celerity" and "speed" imply quickness, "celerity" often includes an element of grace, efficiency, or precision. For instance, a skilled dancer might move with celerity, highlighting not just their swiftness but their elegance and control.
Q: What is an accelerometer?
A: An accelerometer is a device that measures acceleration, which is the rate of change of velocity. It’s widely used in smartphones (e.g., to detect screen orientation), vehicles (for crash detection), and aerospace technologies (to measure g-forces during flight).
Q: What is the difference between "accelerate" and "decelerate"?
A: "Accelerate" means to increase speed or make progress faster, whereas "decelerate" means to reduce speed or slow down. For example, a car accelerates when moving from a stoplight but decelerates when approaching a red light.
Q: Why is "celerity" more common in literature than everyday speech?
A: "Celerity" is a more formal and literary term, often used to describe swiftness with an elegant or refined tone. In contrast, "speed" is a simpler, more common word used in everyday contexts. For example, an author might write about "the celerity of a hero's response" in a novel, while "speed" might describe a car's performance in a conversation.
Q: What is an accelerant, and how is it used?
A: An accelerant is a substance that increases the speed of a chemical reaction, especially combustion. In fire investigations, identifying an accelerant (like gasoline) can provide clues about the fire’s origin and whether it was intentional.
Q: Are there words related to "celer" outside of speed?
A: Yes, while most "celer"-related words pertain to swiftness or speed, some describe tools or concepts indirectly linked to the idea of motion, such as "accelerometer" (a measuring instrument) and "deceleration" (controlled reduction of movement).
Test Your Knowledge: Celer Mastery Quiz
1. What does the root "celer" mean?
Slow Swift Strong Small
Correct answer: Swift. The root "celer" comes from the Latin word for "swift." It forms the foundation of words that convey quickness or speed, such as "accelerate" and "celerity."
2. Which word describes reducing speed?
Decelerate Accelerate Celerity Accelerometer
Correct answer: Decelerate. "Decelerate" means to slow down or reduce speed. The prefix "de-" implies reversal or reduction, combined with "celer," emphasizing the act of decreasing swiftness.
3. What is "celerity" commonly used to describe?
Slow actions Graceful swiftness Loud noises Steady progress
Correct answer: Graceful swiftness. "Celerity" refers to swiftness, often with an added nuance of grace or precision. It is commonly used in literature or formal contexts to highlight elegance in rapid action.
4. What instrument measures acceleration?
Tachometer Accelerometer Barometer Thermometer
Correct answer: Accelerometer. An "accelerometer" measures the rate of change of velocity (acceleration). It’s a critical tool in various technologies, from tracking movement in smartphones to detecting crashes in vehicles.
5. Which term is associated with combustion?
Celerity Accelerant Decelerate Accelerometer
Correct answer: Accelerant. An "accelerant" speeds up the process of combustion. It is a key term in fire science and investigation, as substances like gasoline or alcohol can significantly accelerate the spread of fire.
Conclusion: The Living Legacy of Celer
The root celer highlights the timeless appeal of swiftness, whether in nature, technology, or human achievements. Its influence spans literature, science, and daily life, reminding us of the beauty and utility of speed. As the world continues to accelerate, the legacy of celer will remain integral to how we describe and celebrate movement. Embrace the power of celer to add momentum to your vocabulary and endeavors!
Submit a CommentCancel reply
Your email address will not be published.Required fields are marked
Comment
Name
Email
Website
GDPIWAT
READ LITE
GK 360
WORDPANDIT
Best and Hot Topics for Group Discussion
Improve Your CAT Reading Comprehension (RC) Preparation
Your Final RC Checklist: CAT 2024 Success Guide
Mental Preparation for RC: Your Final Hours Guide for CAT 2024
Smart Review Strategy for RC: Your CAT 2024 Computer-Based Guide
Digital Culture: Essential Concepts for Reading Comprehension
Sociology of Family: Essential Concepts for Reading Comprehension
Technology in Business: Essential Concepts for Reading Comprehension
History of Medicine: Essential Concepts for Reading Comprehension
Environmental Justice: Essential Concepts for Reading Comprehension
Daily Vocabulary from International Newspapers and Publications: September 26, 2025
Daily Vocabulary from International Newspapers ( 25 September 2025): DAILY QUIZ
Daily Vocabulary from International Newspapers and Publications: September 25, 2025
Daily Vocabulary from International Newspapers ( 24 September 2025): DAILY QUIZ
Daily Vocabulary from International Newspapers and Publications: September 24, 2025
Daily Vocabulary from Indian Newspapers and Publications: September 26, 2025
Daily Vocabulary from Indian Newspapers ( 25 September 2025): DAILY QUIZ
Daily Vocabulary from Indian Newspapers and Publications: September 25, 2025
Daily Vocabulary from Indian Newspapers ( 24 September 2025): DAILY QUIZ
Daily Vocabulary from Indian Newspapers and Publications: September 24, 2025
Word Adventure: Zugzwang
Word Adventure: Zephyrous
Word Adventure: Zephyrine
Word Adventure: Zenith
Word Adventure: Yugen
Carat vs. Career & Careen
Guise vs. Guys
Guessed vs. Guest vs. Quest
Groan vs. Grown 🌟
Grisly vs. Gristly vs. Grizzly
History & Words: ‘Obsequious’ (September 17)
History & Words: ‘Deleterious’ (September 18)
History & Words: ‘Indomitable’ (September 20)
History & Words: ‘Sublimation’ (September 16)
History & Words: ‘Interloper’ (September 15)
Word Root: Extro
Word Root: Luc/Lum
Word Root :Eo
Word Root: Act
Word Root: Didacto
Ultimate GK Course
Current Affairs & Quiz
GK related Blogs
Premium Articles
ABOUT US
Wordpandit is a product of Learning Inc., an alternate education and content company. We offer a unique learning approach, and stand for an exercise in ‘LEARNING’, for us as well as our users.
LEARNING INC.
RECENT POSTS
Daily Vocabulary from International Newspapers and Publications: September 26, 2025
Daily Vocabulary from Indian Newspapers and Publications: September 26, 2025
Daily Vocabulary from International Newspapers ( 25 September 2025): DAILY QUIZ
CONTACT US
Have a doubt? Wish to drop a word, connect with us or provide feedback? Or need to know something about our courses?
Call us or drop us a mail.
Phone:+91-8288954593
Email: admin@wordpandit.com
Facebook
X
RSS
A product of Learning Inc.
×
Get 1 Free Counselling
India +91
CAT & other MBA Exams
2025
Submit
Free Counselling |
190117 | https://www.youtube.com/watch?v=Je_f4RimfKI | Electromagnetic waves | Physics | Khan Academy
Khan Academy
9090000 subscribers
3982 likes
Description
198245 views
Posted: 7 Jun 2024
Courses on Khan Academy are always 100% free. Start practicing—and saving your progress—now:
Want to explore more? Check out the full electromagnetic radiation playlist here:
Electromagnetic (EM) waves are produced whenever electrons or other charged particles accelerate. The wavelength of an EM wave is the distance between consecutive points on the wave with the same phase (e.g. one crest to the next crest). The frequency of an EM wave is how many wave cycles are emitted, or pass a given point, per second. The speed of a wave is equal to its frequency times its wavelength. In vacuum, all EM waves travel at speed c = 3 x 10^8 m/s.
Sections:
00:00 - Intro
00:19 - What is an EM wave?
00:46 - How are EM waves created?
02:15 - Amplitude and phase
04:26 - Wavelength and frequency
06:00 - Wave speed
08:01 - Speed of EM waves in vacuum
09:09 - The EM spectrum
10:26 - Analog modulation
12:58 - Digital modulation
Khan Academy is a nonprofit organization with the mission of providing a free, world-class education for anyone, anywhere. Khan Academy has been translated into dozens of languages, and 15 million people around the globe learn on Khan Academy every month. As a 501(c)(3) nonprofit organization, we would love your help!
Donate here:
Volunteer here:
119 comments
Transcript:
Intro what's common between a Wi-Fi router our bodies and an incandescent bulb we all give out electromagnetic waves but why do we do that and why are say why are they all so different and how do we use some of them for Wireless Communications let's answer all of them let's start by asking ourselves what exactly are electromagnetic waves electromagnetic What is an EM wave? waves consist of oscillating electric and magnetic fields a changing electric field produces a changing magnetic field which produces a changing electric field and so on and so forth and that you can see in this animation the disturbance gets propagated but the beautiful thing is that this disturbance can get propagated in vacuum it does not require any medium and it carries energy that's for example how we get energy from the Sun in the form of electromagnetic waves How are EM waves created? but how do you produce these electromagnetic waves you ask well just accelerate charges accelerating charges will change electric Fields you will change magnetic fields and that's how electromagnetic waves will be generated a cool way to accelerate charge would be just to take an electron and just wiggle it up and down if you continuously wiggle an electron up and down it will continuously keep losing energy as electromagnetic waves so accelerated charges create electromagnetic waves so if you consider the Wi-Fi antenna for example you'll find that there will be electrons oscillating up and down very quickly okay and because electrons are charges oscillating up and down they will generate electromagnetic waves which we call radio waves similarly if you consider your own bodies you have electrons inside our body there are charges inside there are vibrating because just because of the temperature they're just vibrating over there and that will again generate electromagnetic waves which happen to be infrared radiation and the same thing will happen inside an incandescent bulb when the filament is heated it Heats to such a high temperature that the electrons are vibrating randomly and as a result you have electromagnetic waves being generated giving us light but of course now comes the big question why do we get radio waves over here infrared over here light rays over here what's the difference between them in all the cases it's the charges that are going up and down right then why do we get different kinds of electromagnetic waves what's the difference between them to answer that question we need to understand some of the Key properties of these electromagnetic waves so let's say this Amplitude and phase is our electromagnetic wave remember it has both electric and magnetic fields I'm not showing both of them imagine this is just electric field and it's moving so you can imagine the field is the whole wave is moving to the right for example okay and one of the Key properties of the wave is how big the wave is the height of the wave okay that's what I mean so that technically is called the amplitude of the wave so this height is what we call the amplitude so for example this would be a very small amplitude wave this would be a very large amplitude wave and of course remember when I say height I'm not there's nothing physical over here these are electric and magnetic field values right so going back to the animation it's more appropriate to think of amplitude as the maxim maximum strength of the electric or the magnetic fields another important feature of a wave is what we call its phase it's easier to understand what phase is if I were to look at just two specific points on a wave so let's cons compare only these two points on the wave and let's see what happens to them so I'll just only compare to those two points and see what happens to them as the wave moves forward I I'm going to move the wave to the right so notice they will start oscillating they'll go up and down but look they are going up and down together they are in sync with each other so we say they are oscillating in Phase with each other so you can think of phase as kind of representing where they are in their cycles of oscillation they're both these two are in Phase because they reach their valleys together they reach the zero together they reach the peak together and so on and so forth so any two points on the mountains are in Phase any two points on the valleys are in Phase with each other but what about these two points are they in face with each other let's see let's see again let's just concentrate on them and move the wave and see what happens hey no they're not what do you see you notice that when one is going up the other one is going down and so look they are not oscillating together they're not in Phase with each other in fact we say they're out of they're out of phase that's what we say but what's important is that they're not in Phase with each other okay this idea of phase will be super important later on we'll come back to it later on another important feature Wavelength and frequency of our wave is its wavelength you can think think of wavelength as the distance between any two consecutive Peaks or any two consecutive uh valleys or in fact any two consecutive points which are in Phase with each other we saw which are in Phase right so for example if you if you consider the distance between these two consecutive Peaks this length is what we'll call the wav length and it is usually represented by the symbol Lambda okay so again if you go back to our wave and this would represent short wavelengths this would represent long wavelengths okay and one last important feature of our wave is its frequency what is frequency you ask well take any point you want and then measure in 1 second how many waves go past that point number of waves passing through a point per second is what we call frequency you can think of it as number of waves passing through a point per second okay so the unit of the wavelength is meters because you're measuring distance and then what is the unit of frequency well it's number of waves per second so the frequency would be numerator is just a number so number per second would be second inverse but we often called second inverse when we use it for frequency as Hertz so for example if I say frequency is 10 Hertz it means from a given point 10 waves are passing by that point per second now here's the the cool thing about wavelength and Wave speed frequency if you know them if you know the wavelength and frequency you can figure out the speed of the wave let's see how in fact let's take some numbers directly to see how so let's take some simple numbers let's say we have a wave which has a wave length of 2 m and it has a frequency of 4 Hertz how do we figure out the speed of this wave well what we're going to do is let's imagine there's a wave that starts from here and we'll just wait for one second okay so wait for 1 second now in that 1 second I know four waves are going to pass by so let me just draw them so I'm waves going to start from here it's a peak so four waves are going to pass by in one second so here's wave number one Peak to Peak is one full wave okay wave number two wave number three and wave number four so in one second this whole thing happened in 1 second now if I figure out how much this total distance is I'm done because then that represents the total distance traveled by The Wave in 1 second and that is the speed so I need to calculate what this distance is to figure out the speed how do I do that well I know what the wavelength of this wave is right it's given to me so can you pause and think about what this total distance is going to be and as a result think about what the correlation between the velocity or the speed of the wave the frequency and the wavelength would be why why don't you pause and try all right okay so since the wavelength is 2 m and I have four waves the total distance traveled by the wave would be 2 4 it would be 8 m so in general if the wavelength is Lambda this would be Lambda and if the frequency is f there would be F number of waves over here that means the total distance CH would be f Lambda in 1 second and therefore the speed of the wave would be f Lambda now looking at this equation we Speed of EM waves in vacuum might think that hey the velocity of a wave depends on the frequency and the velocity of the wave depends on the wavelength but turns out things are a little bit more complicated it depends on which wave we are dealing with so now let's come back to electromagnetic waves turns out for electromagnetic waves in vacuum the velocity is just a constant any electromagnetic wave you take in vacuum it'll always travel at approximately 3 10 ^ 8 m/s we often call this C the speed of light speed of light in vacuum okay it is independent of the frequency of the wave it is independent of the wavelength of the wave which means for electromagnetic waves that are in vacuum since this is a constant we notice that that means if you have a high frequency wave it should have a lower wavelength if it has a high wavelength it should have a lower frequency so for electromagnetic waves in vacuum you can see that the frequency and the wavelength are inversely related to each other and now we can go back to our The EM spectrum original question why are these things giving out different kinds of electromagnetic waves well because the charges over here are oscillating at different frequencies in your Wi-Fi the charges are oscillating at lower frequencies so you get low frequency electromagnetic waves which we call radio waves inside our bodies the charges are vibrating at slightly higher frequencies and so now you get a slightly higher frequency waves which you call infrared ravs inside the light bub it's even higher frequency which we get called visible light because we can see it and just to give you a feeling for numbers okay so your radio waves that's coming from your Wi-Fi is in the order of about a billion Hertz meaning the electrons over here are oscillating about billion times per second okay and uh and when it comes to infrared it becomes 10 to the 13 for visible light becomes 10 to the 14 you can even have higher frequency waves which goes into ultraviolet rays you have xrays you have gamma rays and so on and you can also see as the frequency increases the wavelength is decreasing because we saw that the frequency and wavelength are inversely related for electromagnetic waves but that brings up the last question what really happens to these electromagnetic waves when they go and hit something for example what happens to these radio waves when you know from the Wi-Fi it goes to our phones for Analog modulation example well our phones also have a tiny antenna inside of them now in this transmitter antenna electron vibrates giving you electromagnetic waves in the receiver antenna for a phone the exact opposite happens the electromagnetic waves will fall on it and makes the electrons go up and down and that's how the energy from this oscillating electron is transferred to the electrons over here pretty cool huh but now we may be wondering well how do you transmit any information though for example the radio waves that we would be using in y5 could be about 5 GHz meaning 5 Time 5 billion Hertz that means the electrons over here are oscillating about 5 billion times per second and when the waves go and hit over here the electrons inside the antenna of our phones will also oscillate 5 billion times per second but what where is information being transferred over here how do you transform how do you transfer information that's a great question in order to transfer information we need to modulate this signal what do you mean by that say for example this is a signal that we want to send from the transmitter to receiver let's imagine radio transmitters and radio receivers you can imagine this is I don't know a signal that represents some song for example how do you transmit that well what we do is we take our radio wave and we modulate it an example of this would be you can change the amplitude of this radio wave according to the message signal and it will look somewhat like this I know it sounds it looks very complicated but what's important is look at the amplitude the amplitude nicely Mass sorry nicely matches the message signal this is called modulation in fact this is called the amplitude modulation because the amplitude of this radio wave is getting is changing in according to the message this is the message that is sent by the radio transmitter and when the when your radios receive it the electrons look even though they're vibrating with the same frequency the amplitude of the vibration will keep changing according to the message and that's how your radio receivers will detect you know what the message was this is what AM stands for amplitude modulation there are other kinds of modulation as well there's something called frequency modulation phase modulation and so on um the idea is you change some property of your radio wave in accordance to the message that you want to send but anyways since this is a continuous wave that is being modulated we call this an analog modulation your Wi-Fi does not do that your Wi-Fi does Digital modulation what we call digital modulation because it doesn't send analog signals like this your Wi-Fi sends messages in bits and zeros and months this is a digital message they are discrete see unlike the analog signal you only have two values you either get zero or one nothing in between so here we do digital modulation what would that look like well again if we were to modulate the signal using this message we might get a modular signal that would look somewhat like this again notice the amplitude is either maximum or zero okay representing your zero or one bits that you get and again when this goes and hits the receiver receiver antenna in your phone for example based on the electrons will vibrate accordingly and we'll be able to detect what this message was this is called digital modulation and all of this is an oversimplification and there's so much more to it in a nutshell this is how our communication work work today works today wireless longdistance communication satellite communication what you want to talk about all of that is by using by harnessing the power of electromagnetic waves it's just fascinating stuff |
190118 | https://www.frontiersin.org/journals/medicine/articles/10.3389/fmed.2024.1476361/full | Frontiers | The value of endocervical curettage for diagnosis of cervical precancers or worse at colposcopy of women with atypical glandular cells cytology
Frontiers in Medicine
About us
About us
Who we are
Mission and values
History
Leadership
Awards
Impact and progress
Frontiers' impact
Our annual reports
Publishing model
How we publish
Open access
Peer review
Research integrity
Research Topics
FAIR² Data Management
Fee policy
Services
Societies
National consortia
Institutional partnerships
Collaborators
More from Frontiers
Frontiers Forum
Frontiers Planet Prize
Press office
Sustainability
Career opportunities
Contact us
All journalsAll articlesSubmit your researchSearchLogin
Frontiers in Medicine
Sections
Sections
Dermatology
Family Medicine and Primary Care
Gastroenterology
Gene and Cell Therapy
Geriatric Medicine
Healthcare Professions Education
Hematology
Hepatobiliary Diseases
Infectious Diseases: Pathogenesis and Therapy
Intensive Care Medicine and Anesthesiology
Nephrology
Nuclear Medicine
Obstetrics and Gynecology
Ophthalmology
Pathology
Precision Medicine
Pulmonary Medicine
Regulatory Science
Rheumatology
Translational Medicine
ArticlesResearch TopicsEditorial board
About journal
About journal
Scope
Field chief editors
Mission & scope
Facts
Journal sections
Open access statement
Copyright statement
Quality
For authors
Why submit?
Article types
Author guidelines
Editor guidelines
Publishing fees
Submission checklist
Contact editorial office
About us
About us
Who we are
Mission and values
History
Leadership
Awards
Impact and progress
Frontiers' impact
Our annual reports
Publishing model
How we publish
Open access
Peer review
Research integrity
Research Topics
FAIR² Data Management
Fee policy
Services
Societies
National consortia
Institutional partnerships
Collaborators
More from Frontiers
Frontiers Forum
Frontiers Planet Prize
Press office
Sustainability
Career opportunities
Contact us
All journalsAll articlesSubmit your research
Frontiers in Medicine
Sections
Sections
Dermatology
Family Medicine and Primary Care
Gastroenterology
Gene and Cell Therapy
Geriatric Medicine
Healthcare Professions Education
Hematology
Hepatobiliary Diseases
Infectious Diseases: Pathogenesis and Therapy
Intensive Care Medicine and Anesthesiology
Nephrology
Nuclear Medicine
Obstetrics and Gynecology
Ophthalmology
Pathology
Precision Medicine
Pulmonary Medicine
Regulatory Science
Rheumatology
Translational Medicine
ArticlesResearch TopicsEditorial board
About journal
About journal
Scope
Field chief editors
Mission & scope
Facts
Journal sections
Open access statement
Copyright statement
Quality
For authors
Why submit?
Article types
Author guidelines
Editor guidelines
Publishing fees
Submission checklist
Contact editorial office
Frontiers in Medicine
Sections
Sections
Dermatology
Family Medicine and Primary Care
Gastroenterology
Gene and Cell Therapy
Geriatric Medicine
Healthcare Professions Education
Hematology
Hepatobiliary Diseases
Infectious Diseases: Pathogenesis and Therapy
Intensive Care Medicine and Anesthesiology
Nephrology
Nuclear Medicine
Obstetrics and Gynecology
Ophthalmology
Pathology
Precision Medicine
Pulmonary Medicine
Regulatory Science
Rheumatology
Translational Medicine
ArticlesResearch TopicsEditorial board
About journal
About journal
Scope
Field chief editors
Mission & scope
Facts
Journal sections
Open access statement
Copyright statement
Quality
For authors
Why submit?
Article types
Author guidelines
Editor guidelines
Publishing fees
Submission checklist
Contact editorial office
Submit your researchSearchLogin
Your new experience awaits. Try the new design now and help us make it even better
Switch to the new experience
ORIGINAL RESEARCH article
Front. Med., 13 December 2024
Sec. Obstetrics and Gynecology
Volume 11 - 2024 |
This article is part of the Research Topic Advancements in Diagnostic and Management Strategies for Gynecological PathologiesView all 23 articles
The value of endocervical curettage for diagnosis of cervical precancers or worse at colposcopy of women with atypical glandular cells cytology
Yusha Chen1†Fanghong Wen 2†Jiancui Chen 1Huifeng Xue 1Xiangqin Zheng3Diling Pan 4
1 Cervical Disease Diagnosis and Treatment Health Center, Fujian Maternity and Child Health Hospital College of Clinical Medical for Obstetrics & Gynecology and Pediatrics, Fujian Medical University, Fuzhou, China
2 Department of Obstetrics, Fujian Maternity and Child Health Hospital College of Clinical Medical for Obstetrics & Gynecology and Pediatrics, Fujian Medical University, Fuzhou, China
3 Department of Gynecology, Fujian Maternity and Child Health Hospital College of Clinical Medical for Obstetrics & Gynecology and Pediatrics, Fujian Medical University, Fuzhou, China
4 Department of Pathology, Fujian Maternity and Child Health Hospital College of Clinical Medical for Obstetrics & Gynecology and Pediatrics, Fujian Medical University, Fuzhou, China
Objective: This study evaluates the effectiveness of endocervical curettage (ECC) in identifying additional cervical cancer and its precursors in women with atypical glandular cells (AGC) cytology.
Methods: We conducted a retrospective analysis of medical records for women referred to colposcopy with AGC cytology between January 2019 and December 2023. The study included 433 women with AGC cytology who underwent both biopsy and ECC. Clinical characteristics such as demographics, clinical history, cytology, HPV status, colposcopic findings, and pathology were analyzed. Chi-square and Fisher's exact tests were applied to compare the characteristics of ECC-diagnosed cervical precancers or worse (HSIL+) and normal/low-grade squamous intraepithelial lesions (LSIL).
Results: The overall detection rate of HSIL+ in this population was 19.4% (86/443), with ECC alone identifying HSIL+ in 1.3% (6/443) of cases. However, ECC showed greater utility in certain subgroups. The highest additional HSIL+ detection from ECC was observed in women with HPV 16/18 infection (7.2%) and those with AGC-FN cytology (4.4%). ECC's additional yield of HSIL+ was higher in those with normal or LSIL colposcopic impressions compared to those with HSIL+ impressions. Conversely, no additional HSIL+ cases were identified by ECC alone in women under 30 years old, those with negative high-risk HPV results, or those with type 1/2 transformation zones.
Conclusion: For women with AGC cytology, ECC should be performed in patients with AGC-FN cytology, HPV 16/18 infections, type 3 transformation zones, and normal or low-grade colposcopic impressions. This approach enhances the identification of HSIL+ cases by reducing false negatives. However, for women younger than 30 years old and those with type 1/2 transformation zones, ECC offers limited benefit.
1 Introduction
Colposcopy is an important diagnostic procedure for identifying precancerous lesions of the cervix, offering a thorough examination to detect and assess abnormal areas. Nevertheless, the endocervical canal often remains difficult to visualize during colposcopy, which can result in missed significant lesions. Lesions of the cervical glandular epithelium can arise not only from the squamocolumnar junction but also from columnar cells situated further up the cervical canal, frequently involving the endocervical canal. Atypical glandular cells (AGC) are the most common cytological type of cervical glandular epithelial lesions, which include adenocarcinoma in situ (AIS) and adenocarcinoma (1).
Endocervical curettage (ECC) involves scraping cells from the endocervical canal and is used to detect abnormalities in this otherwise challenging-to-access area. The effectiveness of ECC in lowering the miss rate of colposcopy findings remains controversial. The Society of Canadian Colposcopists (2) and the American Society for Colposcopy and Cervical Pathology (ASCCP) (3) advocate for ECC in cases where atypical glandular cells are found in cytology. In contrast, the British Society for Colposcopy and Cervical Pathology (BSCCP) (4) does not support the routine use of ECC during colposcopy, even for glandular lesions.
Research has shown that ECC can effectively detect additional cervical cancer and its precursors that might be overlooked by biopsy alone in women with high-risk cytology, including atypical squamous cells, favor high-grade (ASC-H), high-grade squamous intraepithelial lesions (HSIL), and AGC (5–7). Given its rarity—typically <1% of cervical smear results (8)—AGC has not been extensively examined as a standalone condition. In China, ECC is routinely performed when AGC is identified cytologically, providing an opportunity to evaluate its practical effectiveness.
The Cervical Disease Diagnosis and Treatment Health Center at Fujian Maternity and Child Health Hospital, the largest center for cervical diseases in Fujian province, China, has a robust data collection system that includes histopathology, cytopathology, colposcopic findings, and patient details from all colposcopy exams. This retrospective study utilizes this comprehensive dataset to assess how effectively ECC identifies additional cervical cancer and its precursors in women with AGC cytology.
2 Materials and methods
2.1 Study design
Data were collected from the electronic medical records of women who underwent colposcopic examinations following abnormal cervical screening results at the Cervical Disease Diagnosis and Treatment Health Center of Fujian Maternity and Child Health Hospital. The patient selection process is detailed in Figure 1. Between January 2019 and December 2023, 19,263 colposcopies were performed at the center. Out of the 452 patients identified with AGC cytology, nine were excluded: three due to pregnancy, three following total hysterectomy, and three because of a closed cervical ostium that made endocervical curettage impossible. Therefore, the study included 433 patients with AGC cytology who had both biopsy and ECC. The time between cytology/HPV testing and colposcopy was always <3 months. Collected demographic and clinical information included age, gravidity, parity, menopausal status, cytological results, HPV status, colposcopic impressions, transformation zone type, and pathological findings. This study was approved by the Ethics Committee at Fujian Maternity and Child Health Hospital, Affiliated Hospital of Fujian Medical University (2024KY014). Informed consent was waived due to the retrospective nature of the study. The findings were reported in accordance with the Strengthening the Reporting of Observational Studies in Epidemiology (STROBE) guidelines.
Figure 1
Figure 1. Flow chart of the study. AGC, atypical glandular cells; ECC, endocervical curettage.
2.2 Cytology and HPV testing
Cytology was conducted using the liquid-based ThinPrep test. In this procedure, a cell brush is inserted into the external cervical canal to collect cells from the exocervix and endocervix. These cells are then smeared onto a slide and fixed. According to the Bethesda System (9), atypical glandular cells (AGC) can be categorized into AGC-NOS (not otherwise specified, including endocervical and endometrial) and AGC-FN (favor neoplastic).
A total of three HPV testing approaches were utilized: the hybrid capture 2 assay (Qiagen, Hilden, Germany), which detects the DNA of 13 high-risk oncogenic HPV types (including HPV types 16, 18, 31, 33, 35, 39, 45, 51, 52, 56, 58, 59, and 68); the polymerase chain reaction-reverse dot blot (PCR-RDB) HPV genotyping method (Yaneng® Limited Corporation, Shenzhen, China), capable of identifying 18 high-risk HPV types (such as HPV 16, 18, 31, 33, 35, 39, 45, 51, 52, 53, 56, 58, 59, 66, 68, 73, 82, and 83) along with 5 low-risk types (6, 11, 42, 43, and 81); and the Aptima assay (Gen-Probe Inc., San Diego, CA), which focuses on the E6/E7 mRNA of 14 high-risk HPV types (including HPV 16, 18, 31, 33, 35, 39, 45, 51, 52, 56, 58, 59, 66, and 68). HPV status is classified as HPV 16/18, non-16/18 high-risk HPV, or negative.
2.3 Colposcopy/ECC and biopsy procedures
All patients with AGC-NOS (endometrial) and negative high-risk HPV results underwent a segmented curettage procedure before colposcopy, with no abnormalities detected in the histopathology. Colposcopic examinations were conducted using a dynamic spectral imaging (DSI) colposcope (Leisegang, Germany). Up to four lesion-directed biopsies were obtained from distinct areas of the epithelium that showed acetowhitening, metaplasia, or other visible abnormalities after the application of 5% acetic acid and Lugol's iodine using Tischler biopsy forceps. If fewer than four directed biopsies were collected, additional biopsies were taken from areas of normal-appearing cervical transformation zone epithelium until a total of four biopsies were achieved. If the cervix appeared entirely normal, random biopsies were performed at the squamocolumnar junction (SCJ) in the 3, 6, 9, or 12 o'clock positions, assuming the SCJ was fully visualized. When the SCJ was not completely visible, biopsies were collected from the external cervical ostium at the corresponding 3, 6, 9, or 12 o'clock positions. Following cervical biopsy, endocervical curettage (ECC) was performed using a Kevorkian curette. Results from ECC and biopsies were categorized as normal, low-grade squamous intraepithelial lesions (LSIL), HSIL, or invasive cancer based on the Lower Anogenital Squamous Terminology system (10). The diagnosis was based on the highest grade lesion identified, with HSIL+ encompassing HSIL, adenocarcinoma in situ (AIS), and invasive cancers, while all other findings were classified as <HSIL. The pathological evaluation of cervical biopsies and ECC samples was carried out independently by two senior pathologists who were blinded to each other's results.
2.4 Statistical analysis
Statistical analysis was performed using IBM SPSS Statistics version 26.0 (IBM Corp, Armonk, NY). Statistical significance was determined using two-sided tests with a threshold of P< 0.05. Categorical variables were expressed as frequencies and percentages. For analysis, chi-square tests were used, and Fisher's exact test was applied when appropriate.
3 Results
3.1 Study sample and data features
Table 1 provides an overview of the demographic and clinical characteristics of the study participants. The mean age of the patients was 41.4 years, with a range spanning from 20 to 77 years. Among the women, 81.7% (n = 362) had experienced one to three childbirths, and a majority, 86% (n = 381), were premenopausal. Additionally, 54.2% (n = 240) had a transformation zone classified as type 3. The most common cytological result was AGC-NOS, which constituted 78.5% (n = 348) of the cases. HPV 16/18 infections were detected in 15.6% (n = 69) of the participants, whereas 22.4% (n = 99) had infections with other high-risk HPV types. Colposcopic findings were normal in 32.7% (n = 145) of cases, low-grade in 51.7% (n = 229), high-grade in 12.2% (n = 54), and cervical cancer was diagnosed in 3.4% (n = 15). Histopathological examination of biopsies revealed HSIL+ in 18.1% (n = 80) of cases, while ECC histopathology identified HSIL+ in 7.9% (n = 35). Overall, 11.7% (n = 52) of the cases were diagnosed with HSIL, 3.8% (n = 17) with AIS, 1.4% (n = 6) with SCC (cervical squamous carcinoma), and 2.5% (n = 11) with ACC (cervical adenocarcinoma).
Table 1
Table 1. Clinical features of the study cohort.
3.2 HSIL+ diagnostic yield by biopsy and ECC
The diagnostic yield for HSIL+ by biopsy and ECC is presented in Table 2. The overall concordance rate between histopathologic results of biopsy and ECC was 81.3% (360/443). In 17.4% (77/443) of cases, the biopsy revealed a higher grade of pathologic results than ECC. Conversely, ECC showed a higher grade of pathologic results in 1.3% (6/443) of cases, including 4 cases of HSIL, 1 case of AIS, and 1 case of ACC, with corresponding biopsy pathology results being normal. Biopsy alone detected 93% (80/86) of HSIL+ cases missed by ECC. Additionally, 7.7% (4/52) of HSIL cases, 5.9% (1/17) of AIS cases, and 9.0% (1/11) of ACC cases were missed by biopsy alone but were detected when biopsy was combined with ECC.
Table 2
Table 2. Comparison of biopsy and ECC histopathology diagnostic results.
3.3 Clinical characteristics associated with HSIL+ diagnostic yield by ECC
Table 3 presents the clinical features linked to HSIL+ detection via ECC. There was no significant difference between different age groups in terms of ECC-detected normal/LSIL and HSIL+ results (P = 0.257). Women with AGC-FN had a higher likelihood of HSIL+ results on ECC compared to those with AGC-NOS (28.6% vs. 8.6%, P = 0.001). The HPV16/18 positive group exhibited the highest rate of HSIL+ detection by ECC, whereas the high-risk HPV negative group was more likely to present normal or LSIL results (P< 0.001). Notably, HSIL+ was more frequently detected by ECC when colposcopy impressions were normal or LSIL compared to when colposcopy impressions were HSIL+ (P< 0.001). All HSIL+ ECC results were found in type 3 transformation zones. Although menopausal women showed a higher propensity for HSIL+ ECC results (25.7% vs. 13.0%), this finding was not statistically significant (P = 0.07).
Table 3
Table 3. Comparison of clinical characteristics between normal/LSIL and HSIL+ identified by ECC.
3.4 Stratification of HSIL+ diagnostic yield based solely on ECC
Table 4 presents the rates of HSIL+ detection via ECC and biopsy, organized by age group, cytology, HPV infection, colposcopic impression, transformation zone type, and menstrual status. The additional diagnostic yield of HSIL+ by ECC varied from 0.0% to 7.2% across different risk categories. The highest yield of HSIL+ was observed in women with HPV16/18 infection, reaching 7.2% (5/69). ECC identified an additional 4.4% (2/45) of HSIL+ cases in women with AGC-FN cytology. The most notable increase in detection rate from ECC was in patients aged 40–49, at 2.0% (3/152). For women with normal or LSIL colposcopic impressions, the HSIL+ diagnostic yield by ECC was 3.4% (6/374), whereas in the type 3 transformation zone group, ECC detected 2.5% (6/240) more HSIL+ cases. ECC also identified HSIL+ in 1.3% (5/381) of premenopausal women and 1.6% (1/62) of postmenopausal women, cases that were missed by biopsy alone. In contrast, ECC did not detect any additional HSIL+ cases in patients under 30 years, those with negative high-risk HPV infection, HSIL+ colposcopic impressions, or type 1/2 transformation zones.
Table 4
Table 4. Stratified diagnostic yield of HSIL+.
4 Discussion
This study evaluated the effectiveness of ECC in identifying HSIL+ among women referred for colposcopy due to AGC cytology. The results revealed an overall HSIL+ detection rate of 19.4% (86/443) in this population, with ECC alone detecting HSIL+ in 1.3% (6/443) of cases. This suggests that approximately 100 women would need to endure the extended discomfort of ECC procedures to identify one additional HSIL+ case not captured by biopsy alone. Nonetheless, ECC proved more beneficial in specific subgroups. The rate of HSIL+ detection by ECC alone increased to 2.0% (8/631) among women aged 40–49 years. The highest additional HSIL+ detection from ECC was observed in women infected with HPV 16/18, at 7.2%, and in those with AGC-FN cytology, where the additional detection rate was 4.4%. ECC's additional yield of HSIL+ was higher in the group with normal or LSIL colposcopic impressions compared to the HSIL+ colposcopic impression group. Conversely, no additional HSIL+ cases were missed by biopsy alone in women under 30 years of age, those with negative high-risk HPV results, or those with type 1/2 transformation zones.
AGC represent cytological abnormalities in which glandular cells show changes but do not meet the criteria for adenocarcinoma in situ or invasive adenocarcinoma of the cervix uteri. These abnormalities can range from benign changes and cervical precursor lesions of glandular or squamous origins to invasive cervical cancer and other gynecological malignancies (8). This study found that 19.4% of women with AGC had cervical intraepithelial neoplasia grade two or worse, including adenocarcinoma in situ (CIN2+/AIS+), a figure comparable to a meta-analysis (11) reporting that 19.8% of women with AGC will have high-grade squamous intraepithelial lesions (HSIL+). Although AIS and ACC often originate within the endocervical canal, this study demonstrated that all AIS cases were detectable by biopsy alone. Of the 11 ACC cases, only one with a type 3 transformation zone would have been missed without the use of ECC.
The varying detection rates of HSIL+ through ECC across different subgroups underscore the heterogeneity of AGC presentations. The additional detection of HSIL+ relies on two key factors: the risk of HSIL+ and whether the colposcopy comprehensively visualizes the transformation zone where nearly all cervical cancers develop. HPV genotype is a significant risk factor. In women with AGC cytology results, HPV 16/18 infection poses a higher risk compared to other high-risk HPV infections and HPV-negative women (12–14). Numerous studies have indicated that ECC has a higher additional detection rate for HSIL+ in patients positive for HPV 16/18 (6, 15–18). Our findings align with these studies. When AGC is identified cytologically, the cumulative incidence risk of cervical cancer is moderately lower than that of HSIL but considerably higher than that of LSIL (1), thus colposcopy is recommended for all patients regardless of HPV status (19). If colposcopy impression is normal or LSIL, HSIL+ may potentially missed by biopsy alone. Women with AGC-FN cytology have a higher risk of HSIL+, especially AIS+, compared to those with AGC-NOS (20). The type 3 transformation zone poses significant challenges for adequate visualization and sampling during colposcopy, making ECC a valuable adjunctive procedure. Conversely, the absence of missed HSIL+ cases in younger women, those with type 1/2 transformation zones, and those negative for high-risk HPV suggests that ECC may have limited utility in these subgroups.
Our findings concur with previous research indicating a relatively low yield of ECC in detecting additional HSIL+ cases in certain populations. For instance, Solomon et al. (6, 21) reported similar low detection rates of HSIL+ by ECC in women younger than 30 years old. This can be attributed to the lower incidence of cervical cancer in women younger than 30 years old (22) and the predominance of type 1/2 transformation zones in this demographic (23).
In light of the contrasting guidelines regarding ECC, our findings highlight the importance of context and patient-specific factors when considering its use. While the ASCCP recommends ECC for patients with atypical glandular cells to enhance detection rates, the hesitancy of the BSCCP to endorse routine ECC underscores the need for a more nuanced approach. Our results suggest that ECC may be particularly beneficial for women with AGC-FN cytology and specific risk factors like HPV 16/18 infections, yet show limited advantages for younger women and those with type 1/2 transformation zones. This emphasizes the necessity for tailored decision-making in clinical practice, aligning with the evolving discourse on the effectiveness of ECC. This approach could reduce unnecessary procedures in low-risk populations while ensuring high-risk cases are adequately identified and treated.
Several limitations of this study should be acknowledged. First, the retrospective design may introduce selection bias. Second, the sample size, while sufficient for detecting significant differences, may limit the generalization of our findings to broader populations. Additionally, variations in colposcopy and biopsy techniques among practitioners could influence the detection rates of HSIL+.
Future research should focus on prospective studies to validate these findings in larger and more diverse populations. Investigating the molecular and histopathological characteristics of AGC subtypes may provide deeper insights into their malignant potential and guide more precise management strategies. Additionally, exploring the cost-effectiveness of targeted ECC in high-risk subgroups could support evidence-based guidelines for colposcopy referral and follow-up.
5 Conclusion
This study aimed to improve the detection rate of HSIL+ in women with AGC while minimizing unnecessary discomfort. We identified high-risk groups warranting ECC: those with a normal/low-grade colposcopic impression, AGC-FN cytology, type 3 transformation zones, and HPV 16/18 infection. Conversely, ECC offers no benefits for women under 30 years old with type 1/2 transformation zones. These findings may reduce missed occult HSIL+ cases and contribute to the evidence base regarding the clinical use of ECC.
Data availability statement
The datasets generated and/or analysed during the current study are not publicly available due personal information protection, patient privacy regulation, and medical institutional data regulatory policies, etc., but are available from the corresponding author on reasonable request.
Ethics statement
The studies involving humans were approved by the Ethics Committee of Fujian Maternity and Child Health Hospital, Affiliated Hospital of Fujian Medical University. The studies were conducted in accordance with the local legislation and institutional requirements. The ethics committee/institutional review board waived the requirement of written informed consent for participation from the participants or the participants' legal guardians/next of kin because an exemption of informed consent was obtained due to the retrospective nature of the study.
Author contributions
YC: Funding acquisition, Writing – review & editing, Writing – original draft. FW: Writing – original draft, Methodology. JC: Writing – original draft, Project administration, Methodology, Data curation. HX: Writing – original draft, Project administration, Formal analysis, Conceptualization. XZ: Writing – review & editing, Resources, Formal analysis, Conceptualization. DP: Writing – original draft, Project administration, Funding acquisition, Formal analysis, Conceptualization.
Funding
The author(s) declare financial support was received for the research, authorship, and/or publication of this article. This study was supported by grants from Startup Fund for scientific research, the Fujian Medical University (Grant Number: 2021QH1177) and the Fujian Provincial Natural Science Foundation of China (Grant Number: 2022J011030).
Acknowledgments
The authors thank Liyu Dai for supporting in the clinical management and Dafeng Huang for encouragement.
Conflict of interest
The authors declare that the research was conducted in the absence of any commercial or financial relationships that could be construed as a potential conflict of interest.
Publisher's note
All claims expressed in this article are solely those of the authors and do not necessarily represent those of their affiliated organizations, or those of the publisher, the editors and the reviewers. Any product that may be evaluated in this article, or claim that may be made by its manufacturer, is not guaranteed or endorsed by the publisher.
References
1. Wang J, Andrae B, Sundström K, Ström P, Ploner A, Elfström KM, et al. Risk of invasive cervical cancer after atypical glandular cells in cervical screening: nationwide cohort study. BMJ. (2016) 352:i276. doi: 10.1136/bmj.i276
PubMed Abstract | Crossref Full Text | Google Scholar
2. Willows K, Selk A, Auclair MH, Jim B, Jumah N, Nation J, et al. 2023 Canadian colposcopy guideline: a risk-based approach to management and surveillance of cervical dysplasia. Curr. Oncol. (2023) 30, 5738–5768. doi: 10.3390/curroncol30060431
PubMed Abstract | Crossref Full Text | Google Scholar
3. Massad LS, Perkins RB, Naresh A, Nelson EL, Spiryda L, Gecsi KS, et al. Colposcopy standards: guidelines for endocervical curettage at colposcopy. J Low Genit Tract Dis. (2023) 27:97–101. doi: 10.1097/LGT.0000000000000710
PubMed Abstract | Crossref Full Text | Google Scholar
4. Public Health England. Guidance 4. Colposcopic Diagnosis, Treatment and Follow Up. Available at: (accessed September 27, 2024).
Google Scholar
5. van der Marel J, Rodriguez A, Del Pino M, van Baars R, Jenkins D, van de Sandt MM, et al. The value of endocervical curettage in addition to biopsies in women referred to colposcopy. J Low Genit Tract Dis. (2015) 19:282–7. doi: 10.1097/LGT.0000000000000124
PubMed Abstract | Crossref Full Text | Google Scholar
6. Liu AH, Walker J, Gage JC, Gold MA, Zuna R, Dunn ST, et al. Diagnosis of cervical precancers by endocervical curettage at colposcopy of women with abnormal cervical cytology. Obstet Gynecol. (2017) 130:1218–25. doi: 10.1097/AOG.0000000000002330
PubMed Abstract | Crossref Full Text | Google Scholar
7. Gage JC, Duggan MA, Nation JG, Gao S, Castle PE. Detection of cervical cancer and its precursors by endocervical curettage in 13,115 colposcopically guided biopsy examinations. Am J Obstetr Gynecol. (2010) 203:481.e1–9. doi: 10.1016/j.ajog.2010.06.048
PubMed Abstract | Crossref Full Text | Google Scholar
8. Schnatz PF, Guile M, O'Sullivan DM, Sorosky JI. Clinical significance of atypical glandular cells on cervical cytology. Obstet Gynecol. (2006) 107:701–8. doi: 10.1097/01.AOG.0000202401.29145.68
PubMed Abstract | Crossref Full Text | Google Scholar
9. Solomon D, Davey D, Kurman R, Moriarty A, O'Connor D, Prey M, et al. The 2001 Bethesda System: terminology for reporting results of cervical cytology. Jama. (2002) 287:2114–9. doi: 10.1001/jama.287.16.2114
PubMed Abstract | Crossref Full Text | Google Scholar
10. Cree IA, White VA, Indave BI, Lokuhetty D. Revising the WHO classification: female genital tract tumours. Histopathology. (2020) 76:151–6. doi: 10.1111/his.13977
PubMed Abstract | Crossref Full Text | Google Scholar
11. Verdoodt F, Jiang X, Williams M, Schnatz PF, Arbyn M. High-risk HPV testing in the management of atypical glandular cells: a systematic review and meta-analysis. Int J Cancer. (2016) 138:303–10. doi: 10.1002/ijc.29424
PubMed Abstract | Crossref Full Text | Google Scholar
12. Norman I, Yilmaz E, Hjerpe A, Hortlund M, Elfström KM, Dillner J. Atypical glandular cells and development of cervical cancer: population-based cohort study. Int J Cancer. (2022) 151:2012–9. doi: 10.1002/ijc.34242
PubMed Abstract | Crossref Full Text | Google Scholar
13. Schiffman M, Mirabello L, Egemen D, Befano B, Xiao Y, Wentzensen N, et al. The combined finding of HPV 16, 18, or 45 and cytologic Atypical Glandular Cells (AGC) indicates a greatly elevated risk of in situ and invasive cervical adenocarcinoma. Gynecol Oncol. (2023) 174:253–61. doi: 10.1016/j.ygyno.2023.05.011
PubMed Abstract | Crossref Full Text | Google Scholar
14. Zhou X, Lin W, Qin Y, Zhang J, Zhang X, Zhang H, et al. Correlation of immediate prevalence of cervical precancers and cancers with HPV genotype and age in women with atypical glandular cells cytology: a retrospective analysis of 369 cases. Cancer Cytopathol. (2024) 132:119–28. doi: 10.1002/cncy.22780
PubMed Abstract | Crossref Full Text | Google Scholar
15. Sijing L, Ying J, Jing W, Xiaoge L, Ming L, Zhaoning D. Additional role of ECC in the detection and treatment of cervical HSIL. Front Med. (2023) 10:1206856. doi: 10.3389/fmed.2023.1206856
PubMed Abstract | Crossref Full Text | Google Scholar
16. Li Y, Luo H, Zhang X, Chang J, Zhao Y, Li J, et al. Development and validation of a clinical prediction model for endocervical curettage decision-making in cervical lesions. BMC Cancer. (2021) 21:804. doi: 10.1186/s12885-021-08523-y
PubMed Abstract | Crossref Full Text | Google Scholar
17. Xue P, Wei B, Seery S, Li Q, Ye Z, Jiang Y, et al. Development and validation of a predictive model for endocervical curettage in patients referred for colposcopy: A multicenter retrospective diagnostic study in China. Chin J Cancer Res. (2022) 34:395–405. doi: 10.21147/j.issn.1000-9604.2022.04.07
PubMed Abstract | Crossref Full Text | Google Scholar
18. Lang L, Jia Y, Duan Z, Wu J, Luo M, Tian P. The role of endocervical curettage in detection and treatment of cervical canal lesions. Histol Histopathol. (2022) 37:63–8. doi: 10.14670/HH-18-394
PubMed Abstract | Crossref Full Text | Google Scholar
19. Perkins RB, Guido RS, Castle PE, Chelmow D, Einstein MH, Garcia F, et al. 2019 ASCCP risk-based management consensus guidelines for abnormal cervical cancer screening tests and cancer precursors. J Low Genit Tract Dis. (2020) 24:102–31. doi: 10.1097/LGT.0000000000000525
PubMed Abstract | Crossref Full Text | Google Scholar
20. Levine L, Lucci JA 3rd, Dinh TV. Atypical glandular cells: new Bethesda Terminology and Management Guidelines. Obstetr Gynecol Surv. (2003) 58:399–406. doi: 10.1097/01.OGX.0000070068.74408.F6
PubMed Abstract | Crossref Full Text | Google Scholar
21. Solomon D, Stoler M, Jeronimo J, Khan M, Castle P, Schiffman M. Diagnostic utility of endocervical curettage in women undergoing colposcopy for equivocal or low-grade cytologic abnormalities. Obstet Gynecol. (2007) 110:288–95. doi: 10.1097/01.AOG.0000270154.69879.09
PubMed Abstract | Crossref Full Text | Google Scholar
22. Arbyn M, Weiderpass E, Bruni L, de Sanjosé S, Saraiya M, Ferlay J, et al. Estimates of incidence and mortality of cervical cancer in 2018: a worldwide analysis. Lancet Global health. (2020) 8:e191–203. doi: 10.1016/S2214-109X(19)30482-6
PubMed Abstract | Crossref Full Text | Google Scholar
23. Lopez-Ampuero C, Hansen N, Alvarez Larraondo M, Taipe-Quico R, Cerna-Ayala J, Desai K, et al. Squamocolumnar junction visibility among cervical cancer screening population in Peru might influence upper age for screening programs. Prev Med. (2023) 174:107596. doi: 10.1016/j.ypmed.2023.107596
PubMed Abstract | Crossref Full Text | Google Scholar
Keywords: cervical curettage, colposcopy, biopsy, cervical lesions, atypical glandular cells
Citation: Chen Y, Wen F, Chen J, Xue H, Zheng X and Pan D (2024) The value of endocervical curettage for diagnosis of cervical precancers or worse at colposcopy of women with atypical glandular cells cytology. Front. Med. 11:1476361. doi: 10.3389/fmed.2024.1476361
Received: 05 August 2024; Accepted: 25 November 2024;
Published: 13 December 2024.
Edited by:
Cristina Secosan, Victor Babes University of Medicine and Pharmacy, Romania
Reviewed by:
Elliot M. Levine, Rosalind Franklin University of Medicine and Science, United States
Teodor Florin Georgescu, Carol Davila University of Medicine and Pharmacy, Romania
Nicolae Bacalbasa, Carol Davila University of Medicine and Pharmacy, Romania
Copyright © 2024 Chen, Wen, Chen, Xue, Zheng and Pan. This is an open-access article distributed under the terms of the Creative Commons Attribution License (CC BY). The use, distribution or reproduction in other forums is permitted, provided the original author(s) and the copyright owner(s) are credited and that the original publication in this journal is cited, in accordance with accepted academic practice. No use, distribution or reproduction is permitted which does not comply with these terms.
Correspondence: Diling Pan, pdl269@fjmu.edu.cn; Xiangqin Zheng, Zhengxq1215@163.com
†These authors have contributed equally to this work and share first authorship
Disclaimer: All claims expressed in this article are solely those of the authors and do not necessarily represent those of their affiliated organizations, or those of the publisher, the editors and the reviewers. Any product that may be evaluated in this article or claim that may be made by its manufacturer is not guaranteed or endorsed by the publisher.
Frontiers' impact
Articles published with Frontiers have received 12 million total citations
Your research is the real superpower - learn how we maximise its impact through our leading community journals
Explore our impact metrics
Download article
Download PDF
ReadCube
EPUB
XML
Share on
Export citation
EndNote
Reference Manager
Simple Text file
BibTex
1,431
Total views
450
Downloads
Citation numbers are available from Dimensions
View article impact
View altmetric score
Share on
Edited by
Cristina Secosan Victor Babes University of Medicine and Pharmacy, Romania
Reviewed by
Elliot M Levine Rosalind Franklin University of Medicine and Science, United States Teodor Florin Georgescu Carol Davila University of Medicine and Pharmacy, Romania Nicolae Bacalbasa Carol Davila University of Medicine and Pharmacy, Romania
Table of contents
Abstract
1 Introduction
2 Materials and methods
3 Results
4 Discussion
5 Conclusion
Data availability statement
Ethics statement
Author contributions
Funding
Acknowledgments
Conflict of interest
Publisher's note
References
Export citation
EndNote
Reference Manager
Simple Text file
BibTex
Check for updates
People also looked at
Relationship between maternal pre-pregnancy BMI and neonatal birth weight in pregnancies with gestational diabetes mellitus: a retrospective cohort study
Qiuping Liao, Tiantian Yu, Jiajia Chen, Xiuqiong Zheng, Lianghui Zheng and Jianying Yan
Pathological characteristics and clinical prognostic analysis of intravenous leiomyomatosis: a retrospective study of 43 cases
Jiezhen Li, Haijian Huang, Xin Chen and Qiang Zeng
Meigs’ syndrome with elevated CA-125 and HE-4: a case report and literature review
Jichang Seong, Abdusattorov Ravshan, Sametdinov Narkhodzha, Kurbanova Saida, Alimov Jamshid, Babanov Bahriddin and Sharobidinov Biloliddin
The association of systemic immune-inflammation index with incident breast cancer and all-cause mortality: evidence from a large population-based study
Yu Li, Meng Yu, Ming Yang and Jingqi Yang
Impact of vancomycin therapeutic drug monitoring on mortality in sepsis patients across different age groups: a propensity score-matched retrospective cohort study
Huaidong Peng, Ruichang Zhang, Shuangwu Zhou, Tingting Xu, Ruolun Wang, Qilin Yang, Xunlong Zhong and Xiaorui Liu
Guidelines
Author guidelines
Services for authors
Policies and publication ethics
Editor guidelines
Fee policy
Explore
Articles
Research Topics
Journals
How we publish
Outreach
Frontiers Forum
Frontiers Policy Labs
Frontiers for Young Minds
Frontiers Planet Prize
Connect
Help center
Emails and alerts
Contact us
Submit
Career opportunities
Follow us
© 2025 Frontiers Media S.A. All rights reserved
Privacy policy|Terms and conditions
Download article
Download
Download PDF
ReadCube
EPUB
XML
We use cookies
Our website uses cookies that are essential for its operation and additional cookies to track performance, or to improve and personalize our services. To manage your cookie preferences, please click Cookie Settings. For more information on how we use cookies, please see ourCookie Policy
Cookies Settings Reject non-essential cookies Accept cookies
Privacy Preference Center
Our website uses cookies that are necessary for its operation. Additional cookies are only used with your consent. These cookies are used to store and access information such as the characteristics of your device as well as certain personal data (IP address, navigation usage, geolocation data) and we process them to analyse the traffic on our website in order to provide you a better user experience, evaluate the efficiency of our communications and to personalise content to your interests. Some cookies are placed by third-party companies with which we work to deliver relevant ads on social media and the internet. Click on the different categories' headings to change your cookie preferences. If you wish to learn more about how we use cookies, please see our cookie policy below.
Cookie Policy
Allow all
Manage Consent Preferences
Strictly Necessary Cookies
Always Active
These cookies are necessary for our websites to function as they enable you to navigate around the sites and use our features. They cannot be switched off in our systems. They are activated set in response to your actions such as setting your privacy preferences, logging-in or filling in forms. You can set your browser to block or alert you about these cookies, but some parts of the site will not then work.
Performance/Analytics Cookies
[x] Performance/Analytics Cookies
These cookies allow us to collect information about how visitors use our website, including the number of visitors, the websites that referred them to our website, and the pages that they visited. We use them to compile reports, to measure and improve the performance of our website, analyze which pages are the most viewed, see how visitors move around the site and fix bugs. If you do not allow these cookies, your experience will not be altered but we will not be able to improve the performance and content of our website.
Targeting/Advertising Cookies
[x] Targeting/Advertising Cookies
These cookies may be set by us to offer your personalized content and opportunities to cooperate. They may also be used by social media companies we work with to build a profile of your interests and show you relevant adverts on their services. They do not store directly personal information but are based on unique identifiers related to your browser and internet device. If you do not allow these cookies, you will experience less targeted advertising.
Cookie List
Clear
[x] checkbox label label
Apply Cancel
Consent Leg.Interest
[x] checkbox label label
[x] checkbox label label
[x] checkbox label label
Confirm My Choices |
190119 | https://www.youtube.com/watch?v=acvJ_BzBEmw | Coefficient in Binomial Expansion [Hindi] | Binomial Theorem | Grade 11 | Maths | Khan Academy
Khan Academy India - Hindi medium
63000 subscribers
Description
24 views
Posted: 4 Jul 2016
Learn how to find specific coefficients in a binomial expansion using combinatorial methods step by step.
Courses on Khan Academy are always 100% free. Start practicing—and saving your progress—now!
Khan Academy India is a nonprofit organization with the mission of providing a free, world-class education for anyone, anywhere. We have videos and exercises that have been translated into multiple Indian languages, and 15 million people around the globe learn on Khan Academy every month.
Support Us:
Created by
Khan Academy - India
Transcript:
दिया है नवा का वर्ग जमा 6 एक्स की घात ती और इसकी घात है पा इसके हल के लिए हम बानो एक्सपेंशन या पास्कल त्रिभुज का उपयोग करेंगे इसके लिए मैं इन पदों में से एक ऐसा पद लेना चाहूंगा जिसके गुणांक एक्स और वा की छठवीं घात से संबंधित हो तो इस विस्तार में कोई पद एक्स की छठवीं घात और वा की छठवीं घात होगा और तब हम देखेंगे कि उस पद का गुणांक क्या होगा मैं आपको सलाह देता हूं कि इस वीडियो को रोक कर आप भी इसे अपने तरीके से हल करें मैं मानकर चलता हूं कि आपने ऐसा किया होगा और पहली नजर में आपको यह थोड़ा मुश्किल लग रहा होगा देखिए मैंने केवल यहां फिफ्थ पावर की बात कही है तो सवाल यह है कि हमें x की पावर स और y की पावर सिक्स कैसे मिलेगी इन द्विपद पदों को देखिए यहां पर y स्क का पद है और x की पावर 3 वाला पद भी है इन पावर्स पर ध्यान देंगे तो इनकी पावर फिफ्थ पावर से अधिक है अब यह सोचिए कि एक्स की पावर सिक्स और वा की पावर सिक्स वाले पद कहां से आए जरा इसे ऐसे समझते हैं कि इन पदों को गुणांक के बिना देखते हैं साथ ही हम इन्हें द्विपद पद में लेने से पहले इनके गुणज के रूप में समझे अब हम लेते हैं पहले पद को पहले पद से आरंभ करते हैं और इस घात को लेते हैं जो कि पूरे द्विपद की घात है और हम देखेंगे कि प्रत्येक पद की पावर कम होती जाएगी और ये इस प्रकार कॉपी और पेस्ट होता चला जाए इस प्रकार कॉपी और पेस्ट करेंगे हम और यह हो गया हमारा पहला पद सेकंड टर्म दूसरा पद और यह हो गया तीसरा पद चौथा पद चौथा पद फोर्थ टर्म फिफ्थ टर्म पांचवा पद और यह छठा पद हम हमेशा घातांक से एक पद ज्यादा लेते हैं अब इसके घातांक पर बात करने से पहले हम दूसरा पद भी लेते हैं तो दूसरे पद को मैं इस तरह लिखता हूं दूसरा पद गुना 6 एक्स की घात तीन इसे कॉपी पेस्ट कर लेते हैं कॉपी और यह पेस्ट यहां भी पेस्ट कर दिया इसे एक बार और पेस्ट करेंगे इसे यहां भी पेस्ट कर दिया और यह हो गया पेस्ट इसे देखने के लिए हमें इसे खिसका हो अब इस पर हम घात लगाते हैं घात लिखते हैं यह हो गई फिफ्थ पावर यह चौथी घात तीसरी घात दूसरी घात पहली घात और यह घात शून्य और नीले पदों के लिए घात होगी यह होगी शून्य घात यह पहली घात पहली घात दूसरी घात तीसरी घात चौथी घात और यह घात पांच ठीक यहां पर और इनमें प्रत्येक के सामने एक गुणांक हो सकता है जैसे इसके सामने इन सबके सामने गुणांक हो सकते हैं और उन सबको हम जोड़ते हैं लेकिन वो पद कहां है जिसकी हमने बात की थी x की पावर स और y की पावर स यदि हम यहां देखें ये है x और यहां है y का वर्ग की घात चार ये हो जाएगा y की घात आठ यहां पर है y का स्क्वायर और उसकी तीसरी तो ये y की घात छ है ये x की घात तीन है और उसका वर्ग है तो ये x की घात छ हो गया इसका अब गुणांक यानी को एफिशिएंट क्या है इसके सामने वाले पद का गुणांक क्या है यह देखना है और इसी प्रकार इस तीसरे पद को भी देखते हैं तो हम क्या पाते हैं तो गुणांक क्या होने वाला है अब हमें यह स्पष्ट है कि यह गुणांक जिसे हम यहां रखें तो हम द्विपद प्रमेय का उपयोग करके इसे ज्ञात कर सकते हैं क्या ये ये होगा मैं इस समस्या का एक हल सोचता हूं यह होगा इस गुणांक से प्राप्त गुणनफल चाहे यहां इनके गुणांक कुछ भी हो यदि हम लेते हैं थर्ड पावर 6 स्क्ड तो हम इसे हल करने की कोशिश करते हैं कि यह क्या होगा पहले देखते हैं कि यह पीले वाला भाग क्या होगा इसे ज्ञात करने के बहुत से तरीके हैं हम पास्कल त्रिभुज का प्रयोग कर सकते हैं या फिर संचय नियम का इनके प्रयोग से हम यहां का गुणांक ज्ञात कर सकते हैं यहां का गुणांक होगा 5 चु 0 और यहां का गुणांक होगा यहां का को एफिशिएंट होगा फ चूज वन हमने इसे पहले भी बहुत बार देखा है देखा कि आपने गुणांक ऊपर से चुनते हैं यह पाच यह पूरे बानो मियल का घातांक है और यहां पर इस दूसरे नंबर को चुनने के लिए हम लेते हैं दूसरे पद का घातांक तो इस प्रकार से यहां आ जाएगा 5 चुनि एक और अब देखते हैं यहां पर यह जो पीले रंग में है यहां पर होगा 5 फ चूज टू फ चूज टू अब ये 5 चूज टू किसके बराबर है यह बराबर होगा 5 फैक्टोरियल बटा 2 फटो गुना टाइम्स 5 - 2 इसे ऐसे लिखते हैं गुणा 5 माइनस 2 फैक्टोरियल और अब पा का फैक्टोरियल देखते हैं यह है 5 गुना 4 गुना 3 गुना दो यहां एक भी लिख सकते हैं उससे कोई फर्क नहीं पड़ेगा बटा दो का फैक्टोरियल यहां मैं एक लिख ही देता हूं इससे क्लियर हो जाएगा दो का फैक्टोरियल दो गुना एक और यह जो यहां पर है यह तीन का फैक्टोरियल है तो तो यहां लिखते हैं 3 2 गु 1 तो इसे हल कर लेते हैं ये तीन इससे कैंसिल हो जाएगा ये दो इस दो से कैंसिल हो गया ये एक एक से कैंसिल हो गया और ये चार डिवाइड हुआ दो से हमें मिल गया यहां दो और 5 गुना 2 होता है 10 10 ये संख्या आ जाएगी यहां ये को एफिशिएंट हमें मिला 10 अब हम इसे ज्ञात करेंगे पास्कल त्रिभुज से हम कह सकते हैं कि ये है द्विपद जब हम इसे दूसरी घात पर ले जाते हैं यह हो जाता है 12 2 1 और जब ले जाते हैं इसे तीसरी घात तब इसके गुणांक होते हैं 13 1 जब हम इसे चौथी घात तक ले जाते हैं तब यह हो जाता है 1 46 41 और जब ले जाते हैं पांचवी घात तक जिसके बारे में हम बात कर रहे हैं तब गुणांक न 5 10 फ सॉरी 10 10 5 और वन और हम जानते हैं कि जब यह तीसरा पद होगा तब ये गुणांक होगा 1 2 3 तीसरा पद तो हम जानते हैं कि यह होगा 10 चलिए हम अपने प्रश्न का उत्तर ढूंढते हैं कि x की पावर सि और y की पावर सिक्स को किससे गुणा करें अब हम इस प्रसरण को वापस लिखते हैं तो ये होगा 10 गुना ती की घात ती 3 टू द थर्ड पावर गुणा y स् पर भी पावर तीन है यानी ये है y की घात 6 y की घात 6 गुना 6 स्क्ड गु 6 का वर्ग गुना x की घात 3 का वर्ग जो होगा x की घात 3 गु 2 यानी x की घात 6 और ये बराबर होगा ये होगा 10 गुना 10 टाइम्स 27 27 गुना 36 टाइम्स 36 और यहां लिखेंगे हम x की घात 6 और y की घात 6 और यह बराबर होगा 270 गु 36 अब कैलकुलेटर की मदद लेते हैं समय बचाने के लिए जरूरी है ये 270 36 जो बराबर है 9720 तो ये होगा गुणांक को एफिशिएंट यह होगा 9720 एक्स की घात 6वा की घात 6 9720 एक्स टू द 6वा टू द 6 और यह हल हो गया |
190120 | https://www.media4math.com/library/lesson-plan-ratios-proportions-and-percents-gr-7-lesson-1-introduction-ratios-and-unit | Skip to content
Algebra >> Ratios, Proportions, and Percents >> Ratios and Rates
Resource
Related Resources
Display Title Lesson Plan--Ratios, Proportions, and Percents (Gr 7)--Lesson 1--Introduction to Ratios and Unit Rates
Lesson Plan: Introduction to Ratios and Unit Rates
This lesson introduces seventh-grade students to ratios and unit rates, emphasizing their real-world applications. Through engaging activities and problem-solving exercises, students will develop proportional reasoning skills.
Lesson Objectives
Understand ratios and express them in different forms (a:b, a to b, a/b).
Calculate unit rates to compare different quantities.
Apply ratios and unit rates to real-world problems, such as speed and pricing.
Key Vocabulary
Ratio: A comparison between two quantities (e.g., 3:2).
Rate: A ratio comparing different units (e.g., miles per hour).
Unit Rate: A rate with a denominator of 1 (e.g., $2 per apple).
Teaching Examples
Calculating a Ratio: Determine the ratio of boys to girls in a class.
Using Equivalent Ratios: Scale up a recipe proportionally.
Solving a Proportion: Use equivalent ratios to find a missing value.
Subscribers to Media4Math can download this lesson plan in PDF format for easy classroom use.
Loading…
An error occurred while loading related resources.
No related resources found.
| | |
--- |
| Common Core Standards | CCSS.MATH.CONTENT.7.RP.A.1 |
| Grade Range | 6 - 8 |
| Curriculum Nodes | Algebra • Ratios, Proportions, and Percents • Ratios and Rates |
| Copyright Year | 2025 |
| Keywords | ratios, unit rates, rates | |
190121 | https://math.stackexchange.com/questions/4652805/finding-orientation-of-a-rectangle-using-the-points-sampled-on-its-surface | geometry - Finding orientation of a rectangle using the points sampled on its surface - Mathematics Stack Exchange
Join Mathematics
By clicking “Sign up”, you agree to our terms of service and acknowledge you have read our privacy policy.
Sign up with Google
OR
Email
Password
Sign up
Already have an account? Log in
Skip to main content
Stack Exchange Network
Stack Exchange network consists of 183 Q&A communities including Stack Overflow, the largest, most trusted online community for developers to learn, share their knowledge, and build their careers.
Visit Stack Exchange
Loading…
Tour Start here for a quick overview of the site
Help Center Detailed answers to any questions you might have
Meta Discuss the workings and policies of this site
About Us Learn more about Stack Overflow the company, and our products
current community
Mathematics helpchat
Mathematics Meta
your communities
Sign up or log in to customize your list.
more stack exchange communities
company blog
Log in
Sign up
Home
Questions
Unanswered
AI Assist Labs
Tags
Chat
Users
Teams
Ask questions, find answers and collaborate at work with Stack Overflow for Teams.
Try Teams for freeExplore Teams
3. Teams
4. Ask questions, find answers and collaborate at work with Stack Overflow for Teams. Explore Teams
Teams
Q&A for work
Connect and share knowledge within a single location that is structured and easy to search.
Learn more about Teams
Hang on, you can't upvote just yet.
You'll need to complete a few actions and gain 15 reputation points before being able to upvote. Upvoting indicates when questions and answers are useful. What's reputation and how do I get it?
Instead, you can save this post to reference later.
Save this post for later Not now
Thanks for your vote!
You now have 5 free votes weekly.
Free votes
count toward the total vote score
does not give reputation to the author
Continue to help good content that is interesting, well-researched, and useful, rise to the top! To gain full voting privileges, earn reputation.
Got it!Go to help center to learn more
Finding orientation of a rectangle using the points sampled on its surface
Ask Question
Asked 2 years, 6 months ago
Modified2 years, 6 months ago
Viewed 200 times
This question shows research effort; it is useful and clear
0
Save this question.
Show activity on this post.
If I have n n number of vectors p∈R 2 p∈R 2 on a surface of a rectangle, would it be possible to estimate the underlying rectangle orientation? The rectangle show in the figure is a virtual rectangle, we do not know the exact orientation of the virtual rectangle. Dimension of the rectangle is know, and the all the vectors are in same reference frame.
Initial thinking:
use von Mises distribution to sample rotation value centered at the mean of p p. Most of the sampled rotation are not valid.
Take two vectors p 1,p 2 p 1,p 2 randomly, and find the angle between p 1 p 1 and p 2 p 2. Continue until the distance between all the vectors are know. Although this method seems to be shedding light on the orientation, however, I do not know how to proceed further with this method.
Is there any mathematical technique that can handle this?
example rectangle with sampled points on top of it
geometry
euclidean-geometry
rotations
polygons
Share
Share a link to this question
Copy linkCC BY-SA 4.0
Cite
Follow
Follow this question to receive notifications
asked Mar 5, 2023 at 21:55
goldfinchgoldfinch
1
3
I think the first thing to do would be to find the largest distance between any two of the points. If that distance is ≤≤ the short side of the rectangle, then it can be in any orientation. But if that distance is close to the length of a diagonal, as in your example, then the rectangle has to be close to the two orientations with those points in diagonally opposite corners.Paul Sinclair –Paul Sinclair 2023-03-06 19:00:33 +00:00 Commented Mar 6, 2023 at 19:00
One other step would be to find the convex hull of the points. Only the points on the hull tell you anything useful about the orientation. If the hull points are in a rectangle, the interior points have to be as well, so there is nothing to learn from them. This will significantly cut down on the points you have to examine to arrive at an orientation. In your example, it looks like about 7 points are on the hull (estimated by eyeball, it might be only 5 or 6). The rest can be ignored.Paul Sinclair –Paul Sinclair 2023-03-06 20:01:17 +00:00 Commented Mar 6, 2023 at 20:01
Thank you. I will try your suggestions, and update the results here.goldfinch –goldfinch 2023-03-06 20:44:45 +00:00 Commented Mar 6, 2023 at 20:44
Add a comment|
0
Sorted by: Reset to default
You must log in to answer this question.
Start asking to get answers
Find the answer to your question by asking.
Ask question
Explore related questions
geometry
euclidean-geometry
rotations
polygons
See similar questions with these tags.
Featured on Meta
Introducing a new proactive anti-spam measure
Spevacus has joined us as a Community Manager
stackoverflow.ai - rebuilt for attribution
Community Asks Sprint Announcement - September 2025
Report this ad
Related
3How do I prove that the following method to find whether a point lies within a polygon is correct?
0"Way" to decide if points are in a rectangle.
2calculating the orientation of an object
0Having difficulties getting the orientation of an object in 3D space
1Determining the coordinates of the vertices of a triangle from its camera image
Hot Network Questions
"Unexpected"-type comic story. Aboard a space ark/colony ship. Everyone's a vampire/werewolf
The geologic realities of a massive well out at Sea
Repetition is the mother of learning
Passengers on a flight vote on the destination, "It's democracy!"
Does a Linux console change color when it crashes?
Who is the target audience of Netanyahu's speech at the United Nations?
Suggestions for plotting function of two variables and a parameter with a constraint in the form of an equation
в ответе meaning in context
How different is Roman Latin?
How to rsync a large file by comparing earlier versions on the sending end?
Exchange a file in a zip file quickly
What is the meaning and import of this highlighted phrase in Selichos?
Why are LDS temple garments secret?
Weird utility function
With line sustain pedal markings, do I release the pedal at the beginning or end of the last note?
Why does LaTeX convert inline Python code (range(N-2)) into -NoValue-?
How to start explorer with C: drive selected and shown in folder list?
An odd question
Vanishing ext groups of sheaves with disjoint support
Is it safe to route top layer traces under header pins, SMD IC?
A time-travel short fiction where a graphologist falls in love with a girl for having read letters she has not yet written… to another man
Riffle a list of binary functions into list of arguments to produce a result
Countable and uncountable "flavour": chocolate-flavoured protein is protein with chocolate flavour or protein has chocolate flavour
Checking model assumptions at cluster level vs global level?
more hot questions
Question feed
Subscribe to RSS
Question feed
To subscribe to this RSS feed, copy and paste this URL into your RSS reader.
Why are you flagging this comment?
It contains harassment, bigotry or abuse.
This comment attacks a person or group. Learn more in our Code of Conduct.
It's unfriendly or unkind.
This comment is rude or condescending. Learn more in our Code of Conduct.
Not needed.
This comment is not relevant to the post.
Enter at least 6 characters
Something else.
A problem not listed above. Try to be as specific as possible.
Enter at least 6 characters
Flag comment Cancel
You have 0 flags left today
Mathematics
Tour
Help
Chat
Contact
Feedback
Company
Stack Overflow
Teams
Advertising
Talent
About
Press
Legal
Privacy Policy
Terms of Service
Your Privacy Choices
Cookie Policy
Stack Exchange Network
Technology
Culture & recreation
Life & arts
Science
Professional
Business
API
Data
Blog
Facebook
Twitter
LinkedIn
Instagram
Site design / logo © 2025 Stack Exchange Inc; user contributions licensed under CC BY-SA. rev 2025.9.29.34589
By clicking “Accept all cookies”, you agree Stack Exchange can store cookies on your device and disclose information in accordance with our Cookie Policy.
Accept all cookies Necessary cookies only
Customize settings
Cookie Consent Preference Center
When you visit any of our websites, it may store or retrieve information on your browser, mostly in the form of cookies. This information might be about you, your preferences, or your device and is mostly used to make the site work as you expect it to. The information does not usually directly identify you, but it can give you a more personalized experience. Because we respect your right to privacy, you can choose not to allow some types of cookies. Click on the different category headings to find out more and manage your preferences. Please note, blocking some types of cookies may impact your experience of the site and the services we are able to offer.
Cookie Policy
Accept all cookies
Manage Consent Preferences
Strictly Necessary Cookies
Always Active
These cookies are necessary for the website to function and cannot be switched off in our systems. They are usually only set in response to actions made by you which amount to a request for services, such as setting your privacy preferences, logging in or filling in forms. You can set your browser to block or alert you about these cookies, but some parts of the site will not then work. These cookies do not store any personally identifiable information.
Cookies Details
Performance Cookies
[x] Performance Cookies
These cookies allow us to count visits and traffic sources so we can measure and improve the performance of our site. They help us to know which pages are the most and least popular and see how visitors move around the site. All information these cookies collect is aggregated and therefore anonymous. If you do not allow these cookies we will not know when you have visited our site, and will not be able to monitor its performance.
Cookies Details
Functional Cookies
[x] Functional Cookies
These cookies enable the website to provide enhanced functionality and personalisation. They may be set by us or by third party providers whose services we have added to our pages. If you do not allow these cookies then some or all of these services may not function properly.
Cookies Details
Targeting Cookies
[x] Targeting Cookies
These cookies are used to make advertising messages more relevant to you and may be set through our site by us or by our advertising partners. They may be used to build a profile of your interests and show you relevant advertising on our site or on other sites. They do not store directly personal information, but are based on uniquely identifying your browser and internet device.
Cookies Details
Cookie List
Clear
[x] checkbox label label
Apply Cancel
Consent Leg.Interest
[x] checkbox label label
[x] checkbox label label
[x] checkbox label label
Necessary cookies only Confirm my choices |
190122 | https://www.doubtnut.com/qna/56435607 | The figure shows a plot of terminal voltage 'V' verus the current 'I' of a given cell. Calculate from the graph (a) emf of the cell and (b) internal resistance of the cell. The figure shows a plot of terminal voltage 'V' verus the current 'I' of a given cell. Calculate from the graph (a) emf of the cell and (b) internal resistance of the cell.
More from this Exercise
(a) For emf of the cell, current I = 0 Then T.P.D. = 6V (Maximum) called emf of the cell so emf = 6V (b) From V=E−IR V=4V I=1 Amp 4=6−1.r⇒r=6−4=2Ω = Internal Resistance of the cell.
Topper's Solved these Questions
Explore 55 Videos
Explore 12 Videos
Explore 31 Videos
Explore 6 Videos
Similar Questions
The emf of a cell having internal resistance is
A cell of emf 'ε' and internal resistance 'r' is connected across a variable resistor 'R'. Plot a graph showing variation of terminal voltage 'V' of the cell versus the current 'l'. Using the plot, show how the emf of the cell and its internal resistance can be determined.
Knowledge Check
For a cell, the graph between the potential difference (V) across the terminals of the cells and the current I drawn from the cell is as shown in figure. Calculate the e.m.f. and the internal resistance of the cell. ocr_image
for a cell, the graph between the p.d. (V) across the terminals of the cell ad te current I drawn from the cell is shown in the fig. the emf and the internal resistance of the cell is E and r respectively. ocr_image
For a cell, a graph is plotted between the potential difference V across the terminals of the cell and the current I drawn the cell. The emf and the internal resistance of the cell are E and r, respectively. Then ocr_image
A cell of emf ε and internal resistance r is connected across a variable resistor R. Plot a graph showing variation of terminal voltage V of the cell versus the current I. Using the plot, show how the emf of the cell and its internal resistance can be determined.
A cell of emf 2V produces 0.3A current when connected to a resistor of 5Ω. Calculate the terminal voltage and internal resistance of the cell.
The potential difference of a cell in an open circuit is 6 V, which falls to 4 V when a current of 2 A is drawn from the cell. Calculate the emf and the internal resistance of the cell.
Potential differences across the terminals of a cell were measured (in volt) against different currents (in ampere) flowing through the cell. A graph was drawn which was a straight line ABC as shown in figure
Determine from graph (i) emf of the cell (ii) maximum current obtained from the cell and (iii) internal resistance of the cell.
For a cell the graph between the p.d. (v) across the terminals of the cells and the current (I) drawn from the cell as shown. The emf and internal resistance is
XII BOARDS PREVIOUS YEAR-XII BOARDS-SECTION-B
(a) Write two characteristic features of nuclear force. (b) Draw a p...
Distinguish between Sky wave and Space wave modes of propagation in a ...
The figure shows a plot of terminal voltage 'V' verus the current 'I' ...
Predict the polarity of the capacitor in the situation described below
Draw the intensity patten for single slit diffraction and double slit ...
Unpolarised light is passed through a polaroid P(1). When this poalr...
Identify the electromagnetic waves whose wavelength very as: (a) 10^-1...
Find the under which the charged particles moving with differnet speed...
A 12.5 eV electron beam is used to excite a gaseous hydrogen atom at r...
Write two properties of ameterial of a meteriable suitable for making...
(a) The potential difference applied across a given resistor is altere...
How is amplitude modulation achieved ? (b) The frequencies of two si...
(a) In the following diagram, is the junction diode forward biased or ...
Using photon picture of light, show how Einstein's photoelectic equati...
(a) Monochromatic light of wevelengh 589 nm in incident from air on a ...
Define mutual inductance between a pair of coils. Derive expression f...
Define salf-inductance of a coil. Obain the expression for the ener...
(a) Write the principle of working of a metre bridge. (b) In a metr...
Draw a block diagram of a generalized communication system. Write the ...
(a) write the functions of the three segments of a transistor. (b) T...
Exams
Free Textbook Solutions
Free Ncert Solutions English Medium
Free Ncert Solutions Hindi Medium
Boards
Resources
Doubtnut is No.1 Study App and Learning App with Instant Video Solutions for NCERT Class 6, Class 7, Class 8, Class 9, Class 10, Class 11 and Class 12, IIT JEE prep, NEET preparation and CBSE, UP Board, Bihar Board, Rajasthan Board, MP Board, Telangana Board etc
NCERT solutions for CBSE and other state boards is a key requirement for students. Doubtnut helps with homework, doubts and solutions to all the questions. It has helped students get under AIR 100 in NEET & IIT JEE. Get PDF and video solutions of IIT-JEE Mains & Advanced previous year papers, NEET previous year papers, NCERT books for classes 6 to 12, CBSE, Pathfinder Publications, RD Sharma, RS Aggarwal, Manohar Ray, Cengage books for boards and competitive exams.
Doubtnut is the perfect NEET and IIT JEE preparation App. Get solutions for NEET and IIT JEE previous years papers, along with chapter wise NEET MCQ solutions. Get all the study material in Hindi medium and English medium for IIT JEE and NEET preparation
Contact Us |
190123 | https://he.kendallhunt.com/openstax | Main navigation
Catalog
Services & Solutions
Create
Customize
Adopt
Instructor Tools
KH Engagement
KHQ
Case Studies
Open Education Resources
Tips & Events
Contact
Support
About
About Us
Careers
Podcast
About OpenStax
OpenStax is the world's largest nonprofit publisher of open educational resources (OER) and an initiative of Rice University. These high-quality openly licensed resources are available for free online or as a downloadable PDF at openstax.org. For those who prefer print resources, all OpenStax textbooks are available for low cost in full-color and B&W paperback print formats through official print partner, Kendall Hunt (printed, sold, and shipped by Kendall Hunt).
Bulk orders are also available to accommodate campus bookstores. Each printed textbook has content presented exactly the same way as the freely available digital versions.
With a mission to make an amazing educational experience accessible to all, OpenStax provides affordable, high-quality, peer-reviewed learning materials and interactive learning technologies for high school and college courses. For more information, visit openstax.org.
Read full bio...
Bookstore Order Form
OpenStax Titles
Business Titles
Accounting and Finance
Principles of Accounting, Volume 1: Financial Accounting
Principles of Accounting, Volume 2: Managerial Accounting
Principles of Finance
Business Law and Ethics
Business Ethics
Business Law Essentials I
Introduction to Intellectual Property
Business Statistics
Introductory Business Statistics
Introductory Business Statistics 2e
Business Technologies
Workplace Software and Skills
Economics
Principles of Economics 3e
Principles of Macroeconomics 3e
Principles of Microeconomics
Introduction to Business
Introduction to Business
Management and Marketing
Organizational Behavior
Principles of Management
Principles of Marketing
College Success Titles:
College Success
College Success
College Success Concise
Preparing for College Success
Humanities Titles:
Philosophy
Introduction to Philosophy
U.S. History
U.S. History
World History
World History Vol 1
World History Vol 2
Writing Guide With Handbook
Writing Guide with Handbook
Math Titles:
Algebra and Trigonometry
Algebra and Trigonometry
College Algebra with Corequisite Support
Calculus
Calculus Volume 1
Calculus Volume 2
Calculus Volume 3
College Algebra
College Algebra 2e
Contemporary Math
Contemporary Mathematics
Developmental Math
Elementary Algebra
Intermediate Algebra
Prealgebra 2e
Precalculus
Precalculus
Statistics
Introductory Statistics 2e
Statistics for High School
Nursing Titles:
Nutrition and Pharmacology
Nutrition for Nurses
Clinical Nursing Skills
Maternal-Newborn Nursing
Pharmacology for Nurses
Population Health for Nurses
Psychiatric-Mental Health Nursing
Science Titles:
Anatomy and Physiology
Anatomy and Physiology
Astronomy
Astronomy 2e
Biology
Biology
Biology for AP
Concepts of Biology
Microbiology
Chemistry
Chemistry 2e
Chemistry: Atoms First Pak
Organic Chemistry
Physics
College Physics 2e
College Physics 2e for AP
Physics for High School
University Physics Vol 1
University Physics Vol 2
University Physics Vol 3
Social Sciences Titles:
American Government
American Government
Anthropology
Introduction to Anthropology
Economics
Principles of Economics 3e
Principles of Macroeconomics 3e
Principles of Microeconomics
Political Science
Introduction to Political Science
Psychology
Psychology 2e
Sociology
Introduction to Sociology 3e
Spanish Titles:
Matemáticas
Precalculo
Calculo Volumen 1
Calculo Volumen 2
Calculo Volumen 3
Introduccion a la estadistica
Introduccion a la estadistica empresarial
Ciencia
Qimica
Qimica Atoms First 2e
Fisica Universitaria Vol 1 Spanish
Fisica Universitaria Vol 3 Spanish
Fisica Universitaria Vol 3 Spanish
Workplace Software and Skills
Author(s):
Edition: 1
Copyright: 2023
See all details
Introductory Business Statistics 2e
Author(s):
Edition: 2
Copyright: 2023
See all details
Fisica Universitaria Vol 3 Spanish
Author(s):
Edition: 1
Copyright: 2021
"Física universitaria es una colección de tres volúmenes que cumple con los requisitos de alcance y secuencia para los cursos de física de dos y tres semestres con base en el cálculo. El volumen 1 abarca la mecánica, el sonido, las oscilaciones y las ondas. El volumen 2 abarca la termodinámica, la electricidad y el magnetismo, y el volumen 3 abarca la óptica y la física moderna. Este libro de texto hace hincapié en la conexión entre la teoría y la práctica, por lo que los conceptos de la física se tornan interesantes y accesibles para los estudiantes. Al mismo tiempo, se mantiene el rigor matemático propio de la materia. Los ejemplos frecuentes y categóricos se centran en cómo abordar un problema, cómo trabajar con las ecuaciones y cómo comprobar y generalizar el resultado.
Física universitaria fue traducido de su versión original en inglés después de varios años de uso por cientos de colegios y universidades. La traducción fue realizada por especialistas e incluye el texto en español, el arte, los textos alternativos, los problemas y las soluciones."
See all details
Fisica Universitaria Vol 2 Spanish
Author(s):
Edition: 1
Copyright: 2021
"Física universitaria es una colección de tres volúmenes que cumple con los requisitos de alcance y secuencia para los cursos de física de dos y tres semestres con base en el cálculo. El volumen 1 abarca la mecánica, el sonido, las oscilaciones y las ondas. El volumen 2 abarca la termodinámica, la electricidad y el magnetismo, y el volumen 3 abarca la óptica y la física moderna. Este libro de texto hace hincapié en la conexión entre la teoría y la práctica, por lo que los conceptos de la física se tornan interesantes y accesibles para los estudiantes. Al mismo tiempo, se mantiene el rigor matemático propio de la materia. Los ejemplos frecuentes y categóricos se centran en cómo abordar un problema, cómo trabajar con las ecuaciones y cómo comprobar y generalizar el resultado.
Física universitaria fue traducido de su versión original en inglés después de varios años de uso por cientos de colegios y universidades. La traducción fue realizada por especialistas e incluye el texto en español, el arte, los textos alternativos, los problemas y las soluciones."
See all details
Fisica Universitaria Vol 1 Spanish
Author(s):
Edition: 1
Copyright: 2021
"Física universitaria es una colección de tres volúmenes que cumple con los requisitos de alcance y secuencia para los cursos de física de dos y tres semestres con base en el cálculo. El volumen 1 abarca la mecánica, el sonido, las oscilaciones y las ondas. El volumen 2 abarca la termodinámica, la electricidad y el magnetismo, y el volumen 3 abarca la óptica y la física moderna. Este libro de texto hace hincapié en la conexión entre la teoría y la práctica, por lo que los conceptos de la física se tornan interesantes y accesibles para los estudiantes. Al mismo tiempo, se mantiene el rigor matemático propio de la materia. Los ejemplos frecuentes y categóricos se centran en cómo abordar un problema, cómo trabajar con las ecuaciones y cómo comprobar y generalizar el resultado.
Física universitaria fue traducido de su versión original en inglés después de varios años de uso por cientos de colegios y universidades. La traducción fue realizada por especialistas e incluye el texto en español, el arte, los textos alternativos, los problemas y las soluciones."
See all details
Qimica
Author(s):
Edition: 2
Copyright: 2022
"Química 2ed está diseñado para cumplir con los requisitos de alcance y secuencia del curso de química general de dos semestres. Este libro de texto brinda una gran oportunidad para que los estudiantes aprendan los conceptos básicos de la química y comprendan cómo se aplican a sus vidas y al mundo que los rodea. El libro incluye una serie de características innovadoras, como ejercicios interactivos y aplicaciones del mundo real, destinadas a reforzar el aprendizaje. La segunda edición fue revisada para incorporar explicaciones más claras, actuales y dinámicas, a la vez que se mantiene la misma organización que la primera edición. Se hicieron mejoras sustanciales en las imágenes, las ilustraciones y los ejercicios de ejemplo que apoyan el contenido del texto. Los cambios realizados en Química 2e se describen en el prefacio para ayudar a los instructores en la transición a la segunda edición."
See all details
Qimica Atoms First 2e
Author(s):
Edition: 2
Copyright: 2022
"Química: Comenzando con los átomos 2ed es un libro de texto introductorio, revisado por colegas y con licencia abierta. Es el producto de la alianza editorial entre OpenStax, la Universidad de Connecticut y su Federación de Centros de Estudiantes. Este libro es la adaptación de Química: Comenzando con los átomos 2ed de OpenStax. La intención de ""comenzando con los átomos"" implica algunos principios básicos. En primer lugar, presenta la estructura atómica y molecular mucho antes que el enfoque tradicional, y luego enlaza estos temas en los capítulos posteriores. Puede elegirse este enfoque como una forma de postergar la introducción de material como la estequiometría, que los estudiantes hallan a menudo abstracto y difícil. Esto les da tiempo para adaptarse al estudio de la química. Además, les proporciona una base para comprender la aplicación de los principios cuantitativos a la química que subyace en todo el curso. También pretende centrar el estudio de la química en la base atómica que muchos ampliarán en un curso posterior que trate sobre la química orgánica. Así, se facilitará la transición en du debido momento.
La segunda edición fue revisada para incorporar explicaciones más claras, actuales y dinámicas, a la vez que se mantiene la misma organización que la primera edición. Se hicieron mejoras sustanciales en las imágenes, las ilustraciones y los ejercicios de ejemplo que apoyan el contenido del texto."
See all details
Introduccion a la estadistica empresarial
Author(s):
Edition: 1
Copyright: 2022
Introducción a la estadística empresarial está diseñado para cumplir con los requisitos de alcance y secuencia del curso de estadística de un semestre en las carreras de negocios, economía y afines. Los conceptos y conocimientos estadísticos básicos se han ampliado con ejemplos prácticos de negocios, situaciones y ejercicios. El resultado es la comprensión significativa de la disciplina, que servirá a los estudiantes en sus carreras empresariales y en sus experiencias en el mundo real."
See all details
Introduccion a la estadistica
Author(s):
Edition: 1
Copyright: 2022
"Introducción a la estadística sigue los requisitos de alcance y secuencia de un curso de introducción a la estadística de un semestre y está dirigido a los estudiantes que se especializan en campos distintos a las matemáticas o la ingeniería. El texto asume cierto conocimiento de álgebra intermedia y se centra en la aplicación de la estadística sobre la teoría. Introducción a la estadística incluye aplicaciones prácticas innovadoras que hacen que el texto sea relevante y accesible, así como ejercicios participativos, problemas de integración de tecnología y laboratorios de estadística."
See all details
Calculo Vol 2
Author(s):
Edition: 1
Copyright: 2022
See all details
Calculo Vol 3
Author(s):
Edition: 1
Copyright: 2022
"Cálculo está diseñado para el curso típico de cálculo general de dos o tres semestres, e incorpora características innovadoras que refuerzan el aprendizaje. El libro guía a los estudiantes a través de los conceptos básicos del cálculo y los ayuda a comprender cómo se aplican a sus vidas y al mundo que los rodea. Debido a la naturaleza integral del material, ofrecemos el libro en tres volúmenes para mayor flexibilidad y eficiencia. El volumen 3 abarca las ecuaciones paramétricas y las coordenadas polares, los vectores, las funciones de varias variables, la integración múltiple y las ecuaciones diferenciales de segundo orden."
See all details
Calculo Volume 1
Author(s):
Edition: 1
Copyright: 2022
"Cálculo está diseñado para el curso típico de cálculo general de dos o tres semestres, e incorpora características innovadoras que refuerzan el aprendizaje. El libro guía a los estudiantes a través de los conceptos básicos del cálculo y los ayuda a comprender cómo se aplican a sus vidas y al mundo que los rodea. Debido a la naturaleza integral del material, ofrecemos el libro en tres volúmenes para mayor flexibilidad y eficiencia. El volumen 1 abarca las funciones, los límites, las derivadas y la integración."
See all details
Precalculo
Author(s):
Edition: 1
Copyright: 2022
"Precálculo 2ed es adaptable y está diseñado para satisfacer las necesidades de diversos cursos de precálculo. Es un texto integral que abarca más temas que un curso típico de precálculo de un semestre. El contenido está organizado por objetivos de aprendizaje claramente definidos e incluye ejemplos prácticos que demuestran enfoques de resolución de problemas de una forma accesible.
Si se encuentra con una pantalla blanca mientras intenta acceder a su libro de texto de Openstax, nuestros desarrolladores sugieren que cierre todas las pestañas abiertas de Openstax.org e intente recargar el libro.
See all details
Introduction to Sociology 3e
Author(s):
Edition: 3
Copyright: 2021
"Introduction to Sociology 3e aligns to the topics and objectives of many introductory sociology courses. It is arranged in a manner that provides foundational sociological theories and contexts, then progresses through various aspects of human and societal interactions. The new edition is focused on driving meaningful and memorable learning experiences related to critical thinking about society and culture. The text includes comprehensive coverage of core concepts, discussions and data relevant to a diverse audience, and features that draw learners into the discipline in powerful and personal ways. Overall, Introduction to Sociology 3e aims to center the course and discipline as crucial elements for understanding relationships, society, and civic engagement; the authors seek to lay the foundation for students to apply what they learn throughout their lives and careers.
The authors, reviewers, and the entire team worked to build understanding of the causes and impacts of discrimination and prejudice. Introduction to Sociology 3e contains dozens of examples of discrimination and its outcomes regarding social science, society, institutions, and individuals. The text seeks to strike a balance between confronting the damaging aspects of our culture and history and celebrating those who have driven change and overcome challenges. The core discussion of these topics are present in Chapter 11 on Race and Ethnicity, and Chapter 12 on Gender, Sex, and Sexuality, but their causes and effects are extensively discussed in the context of other topics, including education, law enforcement, government, healthcare, the economy, and so on. Together and when connected by an instructor, these elements have potential for deep and lasting effects.
Changes made in Introduction to Sociology 3e are described in the preface to help instructors transition to the third edition."
See all details
Psychology 2e
Author(s):
Edition: 2
Copyright: 2020
"Psychology 2e is designed to meet scope and sequence requirements for the single-semester introduction to psychology course. The book offers a comprehensive treatment of core concepts, grounded in both classic studies and current and emerging research. The text also includes coverage of the DSM-5 in examinations of psychological disorders. Psychology incorporates discussions that reflect the diversity within the discipline, as well as the diversity of cultures and communities across the globe.
The second edition contains detailed updates to address comments and suggestions from users. Significant improvements and additions were made in the areas of research currency, diversity and representation, and the relevance and recency of the examples. Many concepts were expanded or clarified, particularly through the judicious addition of detail and further explanation where necessary. Finally, the authors addressed the replication issues in the psychology discipline, both in the research chapter and where appropriate throughout the book.
Changes made in Psychology 2e are described in the preface to help instructors transition to the second edition.
See all details
Introduction to Political Science
Author(s):
Edition: 1
Copyright: 2022
"Designed to meet the scope and sequence of your course, OpenStax Introduction to Political Science provides a strong foundation in global political systems, exploring how and why political realities unfold. Rich with examples of individual and national social action, this text emphasizes students’ role in the political sphere and equips them to be active and informed participants in civil society. Learn more about what this free, openly-licensed textbook has to offer you and your students."
See all details
Introduction to Anthropology
Author(s):
Edition: 1
Copyright: 2022
"Designed to meet the scope and sequence of your course, OpenStax Introduction to Anthropology is a four-field text integrating diverse voices, engaging field activities, and meaningful themes like Indigenous experiences and social inequality to engage students and enrich learning. The text showcases the historical context of the discipline, with a strong focus on anthropology as a living and evolving field. There is significant discussion of recent efforts to make the field more diverse—in its practitioners, in the questions it asks, and in the applications of anthropological research to address contemporary challenges. In addressing social inequality, the text drives readers to consider the rise and impact of social inequalities based on forms of identity and difference (such as gender, ethnicity, race, and class) as well as oppression and discrimination. The contributors to and dangers of socioeconomic inequality are fully addressed, and the role of inequality in social dysfunction, disruption, and change is noted."
See all details
American Government
Author(s):
Edition: 3
Copyright: 2021
"American Government 3e aligns with the topics and objectives of many government courses. Faculty involved in the project have endeavored to make government workings, issues, debates, and impacts meaningful and memorable to students while maintaining the conceptual coverage and rigor inherent in the subject. With this objective in mind, the content of this textbook has been developed and arranged to provide a logical progression from the fundamental principles of institutional design at the founding, to avenues of political participation, to thorough coverage of the political structures that constitute American government. The book builds upon what students have already learned and emphasizes connections between topics as well as between theory and applications. The goal of each section is to enable students not just to recognize concepts, but to work with them in ways that will be useful in later courses, future careers, and as engaged citizens.
In order to help students understand the ways that government, society, and individuals interconnect, the revision includes more examples and details regarding the lived experiences of diverse groups and communities within the United States. The authors and reviewers sought to strike a balance between confronting the negative and harmful elements of American government, history, and current events, while demonstrating progress in overcoming them. In doing so, the approach seeks to provide instructors with ample opportunities to open discussions, extend and update concepts, and drive deeper engagement."
See all details
University Physics Vol 3
Author(s):
Edition: 1
Copyright: 2016
"University Physics is a three-volume collection that meets the scope and sequence requirements for two- and three-semester calculus-based physics courses. Volume 1 covers mechanics, sound, oscillations, and waves. Volume 2 covers thermodynamics, electricity, and magnetism, and Volume 3 covers optics and modern physics. This textbook emphasizes connections between theory and application, making physics concepts interesting and accessible to students while maintaining the mathematical rigor inherent in the subject. Frequent, strong examples focus on how to approach a problem, how to work with the equations, and how to check and generalize the result.
This is the official print version of this OpenStax textbook. OpenStax makes full-color hardcover and B&W paperback print copies available for students who prefer a hardcopy textbook to go with the free digital version of this OpenStax title. The textbook content is exactly the same as the OpenStax digital book. This textbook is available for free download at the www.openstax.org website, but as many students prefer to study with hardcopy printed books, we offer affordable OpenStax textbooks for sale through this storefront and on Amazon as well as through campus bookstores."
See all details
University Physics Vol 2
Author(s):
Edition: 1
Copyright: 2016
"University Physics is a three-volume collection that meets the scope and sequence requirements for two- and three-semester calculus-based physics courses. Volume 1 covers mechanics, sound, oscillations, and waves. Volume 2 covers thermodynamics, electricity, and magnetism, and Volume 3 covers optics and modern physics. This textbook emphasizes connections between theory and application, making physics concepts interesting and accessible to students while maintaining the mathematical rigor inherent in the subject. Frequent, strong examples focus on how to approach a problem, how to work with the equations, and how to check and generalize the result."
See all details
University Physics Vol 1
Author(s):
Edition:
Copyright: 2016
"University Physics is a three-volume collection that meets the scope and sequence requirements for two- and three-semester calculus-based physics courses. Volume 1 covers mechanics, sound, oscillations, and waves. Volume 2 covers thermodynamics, electricity, and magnetism, and Volume 3 covers optics and modern physics. This textbook emphasizes connections between theory and application, making physics concepts interesting and accessible to students while maintaining the mathematical rigor inherent in the subject. Frequent, strong examples focus on how to approach a problem, how to work with the equations, and how to check and generalize the result."
See all details
Physics for High School
Author(s):
Edition: 1
Copyright: 2020
"Physics for High School by OpenStax was developed under the guidance and support of experienced high school teachers and subject matter experts. Beginning with an introduction to physics and scientific processes and followed by chapters focused on motion, mechanics, thermodynamics, waves, and light, this book incorporates a variety of tools to engage and inspire students. Hands-on labs, worked examples, and highlights of how physics is applicable everywhere in the natural world are embedded throughout the book, and each chapter incorporates a variety of assessment types such as practice problems, performance tasks, and traditional multiple choice items. Additional instructor resources are included as well, including direct instruction presentations and a solutions manual."
See all details
College Physics for AP
Author(s):
Edition: 2
Copyright: 2022
See all details
College Physics 2e
Author(s):
Edition: 2
Copyright: 2022
"College Physics 2e introduces topics conceptually and progresses through clear explanations in the context of career-oriented, practical applications, and meets the scope and sequence of an algebra-based physics course. The narrative of physics and scientific discovery has been even further expanded to focus on including more diverse contributors to the field. Building on the success of the first edition the authors have increased focus on interdisciplinary connections, including enhancements to biological and medical applications. The problem solving approach has been revised to further unify conceptual, analytical, and calculation skills within the learning process, the authors have integrated a wide array of strategies and supports throughout the text for students."
See all details
Organic Chemistry
Author(s):
Edition: 10
Copyright: 2023
"John McMurry's Organic Chemistry is renowned as the most clearly written book available for organic chemistry. In John McMurry's words, 'I wrote this book because I love writing. I get great pleasure and satisfaction from taking a complicated subject, turning it around until I see it clearly from a new angle, and then explaining it in simple words.'"
In Organic Chemistry: A Tenth Edition from OpenStax, McMurry continues this tradition while updating scientific discoveries, highlighting new applications, scrutinizing every piece of art, and providing example problems to assist students.
Organic Chemistry: A Tenth Edition continues to meet the scope and sequence of a two-semester organic chemistry course that follows a functional group approach.
John McMurry decided to publish Organic Chemistry: A Tenth Edition under an open license as a tribute to his son, Peter McMurry, who passed away from cystic fibrosis in December 2019.
See all details
Chemistry: Atoms First Pak
Author(s):
Edition: 2
Copyright: 2019
Chemistry: Atoms First 2e is a peer-reviewed, openly licensed introductory textbook produced through a collaborative publishing partnership between OpenStax and the University of Connecticut and UConn Undergraduate Student Government Association. This text is an atoms-first adaptation of OpenStax Chemistry 2e. The intention of “atoms-first” involves a few basic principles: first, it introduces atomic and molecular structure much earlier than the traditional approach, and it threads these themes through subsequent chapters. This approach may be chosen as a way to delay the introduction of material such as stoichiometry that students traditionally find abstract and difficult, thereby allowing students time to acclimate their study skills to chemistry. Additionally, it gives students a basis for understanding the application of quantitative principles to the chemistry that underlies the entire course. It also aims to center the study of chemistry on the atomic foundation that many will expand upon in a later course covering organic chemistry, easing that transition when the time arrives.
The second edition has been revised to incorporate clearer, more current, and more dynamic explanations, while maintaining the same organization as the first edition. Substantial improvements have been made in the figures, illustrations, and example exercises that support the text narrative.
See all details
Chemistry 2e
Author(s):
Edition: 2
Copyright: 2019
""
See all details
Microbiology
Author(s):
Edition: 1
Copyright: 2016
"Microbiology covers the scope and sequence requirements for a single-semester microbiology course for non-majors. The book presents the core concepts of microbiology with a focus on applications for careers in allied health. The pedagogical features of the text make the material interesting and accessible while maintaining the career-application focus and scientific rigor inherent in the subject matter. Microbiology’s art program enhances students’ understanding of concepts through clear and effective illustrations, diagrams, and photographs.
See all details
Concepts of Biology
Author(s):
Edition: 1
Copyright: 2013
See all details
Biology
Author(s):
Edition: 2
Copyright: 2018
"Biology 2e is designed to cover the scope and sequence requirements of a typical two-semester biology course for science majors. The text provides comprehensive coverage of foundational research and core biology concepts through an evolutionary lens. Biology includes rich features that engage students in scientific inquiry, highlight careers in the biological sciences, and offer everyday applications. The book also includes various types of practice and homework questions that help students understand—and apply—key concepts.
The 2nd edition has been revised to incorporate clearer, more current, and more dynamic explanations, while maintaining the same organization as the first edition. Art and illustrations have been substantially improved, and the textbook features additional assessments and related resources."
See all details
Biology for AP
Author(s):
Edition: 1
Copyright: 2018
See all details
Anatomy and Physiology
Author(s):
Edition: 2
Copyright: 2022
This is the official print version of this OpenStax textbook. OpenStax makes full-color hardcover and B&W paperback print copies available for students who prefer a hardcopy textbook to go with the free digital version of this OpenStax title. The textbook content is exactly the same as the OpenStax digital book. This textbook is available for free download at the OpenStax dot org website, but as many students prefer to study with hardcopy books, we offer affordable OpenStax textbooks for sale through Amazon as well as most campus bookstores.
See all details
Nutrition for Nurses
Author(s):
Edition: 1
Copyright: 2024
See all details
Statistics for High School
Author(s):
Edition: 1
Copyright: 2020
"Statistics for High School by OpenStax was developed under the guidance and support of experienced high school teachers and subject matter experts. Statistics offers instruction in grade-level appropriate concepts and skills in a logical, engaging progression that begins with sampling and data and covers topics such as probability, random variables, the normal distribution, and hypothesis testing. This content was developed with students in mind, incorporating statistics labs, worked exercises, and additional opportunities for assessment that incorporate real-world statistical applications. For instructors, resources are available to support the implementation of the Statistics textbook, including a Getting Started Guide, direct instruction presentations, and a solutions manual.
See all details
Introductory Statistics 2e
Author(s):
Edition: 2
Copyright: 2023
See all details
Precalculus
Author(s):
Edition: 2
Copyright: 2021
"Precalculus 2e provides a comprehensive exploration of mathematical principles and meets scope and sequence requirements for a typical precalculus course. The text proceeds from functions through trigonometry and ends with an introduction to calculus. The modular approach and the richness of content ensure that the book addresses the needs of a variety of courses. Precalculus 2e offers a wealth of examples with detailed, conceptual explanations, building a strong foundation in the material before asking students to apply what they’ve learned.
The Precalculus 2e revision focused on improving relevance and representation as well as mathematical clarity and accuracy. Introductory narratives, examples, and problems were reviewed and revised using a diversity, equity, and inclusion framework. Many contexts, scenarios, and images have been changed to become even more relevant to students’ lives and interests. To maintain our commitment to accuracy and precision, examples, exercises, and solutions were reviewed by multiple faculty experts. All improvement suggestions and errata updates from the first edition were considered and unified across the different formats of the text."
See all details
Prealgebra 2e
Author(s):
Edition: 2
Copyright: 2020
"Prealgebra 2e is designed to meet scope and sequence requirements for a one-semester prealgebra or basic math course. The book’s organization makes it easy to adapt to a variety of course syllabi. The text introduces the fundamental concepts of algebra while addressing the needs of students with diverse backgrounds and learning styles. Each topic builds upon previously developed material to demonstrate the cohesiveness and structure of mathematics.
The second edition contains detailed updates and accuracy revisions to address comments and suggestions from users. Dozens of faculty experts worked through the text, exercises and problems, graphics, and solutions to identify areas needing improvement. Though the authors made significant changes and enhancements, exercise and problem numbers remain nearly the same in order to ensure a smooth transition for faculty."
See all details
Intermediate Algebra
Author(s):
Edition: 2
Copyright: 2020
"Intermediate Algebra 2e is designed to meet the scope and sequence requirements of a one-semester intermediate algebra course. The book’s organization makes it easy to adapt to a variety of course syllabi. The text expands on the fundamental concepts of algebra while addressing the needs of students with diverse backgrounds and learning styles. The material is presented as a sequence of clear steps, building on concepts presented in prealgebra and elementary algebra courses.
The second edition contains detailed updates and accuracy revisions to address comments and suggestions from users. Dozens of faculty experts worked through the text, exercises and problems, graphics, and solutions to identify areas needing improvement. Though the authors made significant changes and enhancements, exercise and problem numbers remain nearly the same in order to ensure a smooth transition for faculty."
See all details
Contemporary Mathematics
Author(s):
Edition: 1
Copyright: 2023
See all details
Elementary Algebra
Author(s):
Edition: 2
Copyright: 2020
"Elementary Algebra 2e is designed to meet scope and sequence requirements for a one-semester elementary algebra course. The book's organization makes it easy to adapt to a variety of course syllabi. The text expands on the fundamental concepts of algebra while addressing the needs of students with diverse backgrounds and learning styles. Each topic builds upon previously developed material to demonstrate the cohesiveness and structure of mathematics."
The second edition contains detailed updates and accuracy revisions to address comments and suggestions from users. Dozens of faculty experts worked through the text, exercises and problems, graphics, and solutions to identify areas needing improvement. Though the authors made significant changes and enhancements, exercise and problem numbers remain nearly the same in order to ensure a smooth transition for faculty."
See all details
College Algebra 2e
Author(s):
Edition: 2
Copyright: 2021
"College Algebra 2e provides a comprehensive exploration of algebraic principles and meets scope and sequence requirements for a typical introductory algebra course. The modular approach and richness of content ensure that the book addresses the needs of a variety of courses. College Algebra 2e offers a wealth of examples with detailed, conceptual explanations, building a strong foundation in the material before asking students to apply what they’ve learned.
The College Algebra 2e revision focused on improving relevance and representation as well as mathematical clarity and accuracy. Introductory narratives, examples, and problems were reviewed and revised using a diversity, equity, and inclusion framework. Many contexts, scenarios, and images have been changed to become even more relevant to students’ lives and interests. To maintain our commitment to accuracy and precision, examples, exercises, and solutions were reviewed by multiple faculty experts. All improvement suggestions and errata updates from the first edition were considered and unified across the different formats of the text."
See all details
Calculus Volume 2
Author(s):
Edition: 1
Copyright: 2016
"Calculus is designed for the typical two- or three-semester general calculus course, incorporating innovative features to enhance student learning. The book guides students through the core concepts of calculus and helps them understand how those concepts apply to their lives and the world around them. Due to the comprehensive nature of the material, we are offering the book in three volumes for flexibility and efficiency. Volume 2 covers integration, differential equations, sequences and series, and parametric equations and polar coordinates."
See all details
Calculus Volume 3
Author(s):
Edition: 1
Copyright: 2016
"Calculus is designed for the typical two- or three-semester general calculus course, incorporating innovative features to enhance student learning. The book guides students through the core concepts of calculus and helps them understand how those concepts apply to their lives and the world around them. Due to the comprehensive nature of the material, we are offering the book in three volumes for flexibility and efficiency. Volume 3 covers parametric equations and polar coordinates, vectors, functions of several variables, multiple integration, and second-order differential equations."
See all details
Calculus Volume 1
Author(s):
Edition: 1
Copyright: 2016
"Calculus is designed for the typical two- or three-semester general calculus course, incorporating innovative features to enhance student learning. The book guides students through the core concepts of calculus and helps them understand how those concepts apply to their lives and the world around them. Due to the comprehensive nature of the material, we are offering the book in three volumes for flexibility and efficiency. Volume 1 covers functions, limits, derivatives, and integration."
See all details
Algebra and Trigonomtry
Author(s):
Edition: 2
Copyright: 2021
"Algebra and Trigonometry provides a comprehensive exploration of mathematical principles and meets scope and sequence requirements for a typical introductory algebra and trigonometry course. The modular approach and the richness of content ensure that the book addresses the needs of a variety of courses. Algebra and Trigonometry 2e offers a wealth of examples with detailed, conceptual explanations, building a strong foundation in the material before asking students to apply what they’ve learned."
See all details
Writing Guide with Handbook
Author(s):
Edition: 1
Copyright: 2021
"Writing Guide with Handbook aligns to the goals, topics, and objectives of many first-year writing and composition courses. It is organized according to relevant genres, and focuses on the writing process, effective writing practices or strategies—including graphic organizers, writing frames, and word banks to support visual learning—and conventions of usage and style. The text includes an editing and documentation handbook, which provides information on grammar and mechanics, common usage errors, and citation styles.
Writing Guide with Handbook breaks down barriers in the field of composition by offering an inviting and inclusive approach to students of all intersectional identities. To meet this goal, the text creates a reciprocal relationship between everyday rhetoric and the evolving world of academia. Writing Guide with Handbook builds on students’ life experiences and their participation in rhetorical communities within the familiar contexts of personal interaction and social media. The text seeks to extend these existing skills by showing students how to construct a variety of compelling compositions in a variety of formats, situations, and contexts.
The authors conceived and developed Writing Guide with Handbook in 2020; its content and learning experiences reflect the instructional, societal, and individual challenges students have faced. The authors invite students and instructors to practice invitational discussions even as they engage in verbal and written argument. Instructors will be empowered to emphasize meaning and voice and to teach empathy as a rhetorical strategy. Students will be empowered to negotiate their identities and their cultures through language as they join us in writing, discovering, learning, and creating."
See all details
Preparing for College Success
Author(s):
Edition: 1
Copyright: 2023
"OpenStax’s Preparing for College Success is a comprehensive resource that provides secondary students critical information to prepare for their “to and through” college journey.
The book addresses the evolving challenges and opportunities of today’s diverse students. College match, preparing for transition, time management and study skills, building relationships, financial literacy, and career planning are all reflected throughout the material.
Preparing for College Success also includes an array of student-centered features including scenarios and advice from current college students that can support robust classroom conversation or individual learning."
See all details
College Success
Author(s):
Edition: 1
Copyright: 2020
"OpenStax College Success is a comprehensive and contemporary resource that serves First Year Experience, Student Success, and College Transition courses. Developed with the support of hundreds of faculty and coordinators, the book addresses the evolving challenges and opportunities of today’s diverse students. Engagement, self-analysis, personal responsibility, and student support are reflected throughout the material. College Success also includes an array of student surveys and opinion polls, and OpenStax will regularly provide the results to adopting faculty."
See all details
Principles of Accounting, Volume 1: Financial Accounting
Author(s):
Edition: 1
Copyright: 2019
"Principles of Accounting is designed to meet the scope and sequence requirements of a two-semester accounting course that covers the fundamentals of financial and managerial accounting. Due to the comprehensive nature of the material, we are offering the book in two volumes. This book is specifically designed to appeal to both accounting and non-accounting majors, exposing students to the core concepts of accounting in familiar ways to build a strong foundation that can be applied across business fields. Each chapter opens with a relatable real-life scenario for today’s college student. Thoughtfully designed examples are presented throughout each chapter, allowing students to build on emerging accounting knowledge. Concepts are further reinforced through applicable connections to more detailed business processes. Students are immersed in the “why” as well as the “how” aspects of accounting in order to reinforce concepts and promote comprehension over rote memorization."
See all details
Principles of Accounting, Volume 2: Managerial Accounting
Author(s):
Edition: 1
Copyright: 2019
"Principles of Accounting is designed to meet the scope and sequence requirements of a two-semester accounting course that covers the fundamentals of financial and managerial accounting. Due to the comprehensive nature of the material, we are offering the book in two volumes. This book is specifically designed to appeal to both accounting and non-accounting majors, exposing students to the core concepts of accounting in familiar ways to build a strong foundation that can be applied across business fields. Each chapter opens with a relatable real-life scenario for today’s college student. Thoughtfully designed examples are presented throughout each chapter, allowing students to build on emerging accounting knowledge. Concepts are further reinforced through applicable connections to more detailed business processes. Students are immersed in the “why” as well as the “how” aspects of accounting in order to reinforce concepts and promote comprehension over rote memorization."
See all details
Principles of Finance
Author(s):
Edition: 1
Copyright: 2022
"Designed to meet the scope and sequence of your course, Principles of Finance provides a strong foundation in financial applications using an innovative use-case approach to explore their role in business decision-making. An array of financial calculator and downloadable Microsoft Excel data exercises also engage students in experiential learning throughout. With flexible integration of technical instruction and data, this title prepares students for current practice and continual evolution."
See all details
Business Ethics
Author(s):
Edition: 1
Copyright: 2018
""
See all details
Business Law Essentials I
Author(s):
Edition: 1
Copyright: 2019
"Business Law I Essentials is a brief introductory textbook designed to meet the scope and sequence requirements of courses on Business Law or the Legal Environment of Business. The concepts are presented in a streamlined manner, and cover the key concepts necessary to establish a strong foundation in the subject. The textbook follows a traditional approach to the study of business law. Each chapter contains learning objectives, explanatory narrative and concepts, references for further reading, and end-of-chapter questions.
Business Law I Essentials may need to be supplemented with additional content, cases, or related materials, and is offered as a foundational resource that focuses on the baseline concepts, issues, and approaches."
See all details
Introductory Business Statistics
Author(s):
Edition: 1
Copyright: 2017
"Introductory Business Statistics is designed to meet the scope and sequence requirements of the one-semester statistics course for business, economics, and related majors. Core statistical concepts and skills have been augmented with practical business examples, scenarios, and exercises. The result is a meaningful understanding of the discipline, which will serve students in their business careers and real-world experiences."
See all details
Principles of Economics 3e
Author(s):
Edition: 3
Copyright: 2022
"Principles of Economics 3e covers the scope and sequence of most introductory economics courses. The third edition takes a balanced approach to the theory and application of economics concepts. The text uses conversational language and ample illustrations to explore economic theories, and provides a wide array of examples using both fictional and real-world scenarios.
The third edition has been carefully and thoroughly updated to reflect current data and understanding, as well as to provide a deeper background in diverse contributors and their impacts on economic thought and analysis. For example, the third edition highlights the research and views of a broader group of economists. Brief references and deeply explored socio-political examples have been updated to showcase the critical – and sometimes unnoticed – ties between economic developments and topics relevant to students."
See all details
Principles of Microeconomics
Author(s):
Edition: 3
Copyright: 2022
"Principles of Microeconomics 3e covers the scope and sequence of most one semester introductory microeconomics courses. The third edition takes a balanced approach to the theory and application of microeconomics concepts. The text uses conversational language and ample illustrations to explore economic theories, and provides a wide array of examples using both fictional and real-world applications.
The third edition has been carefully and thoroughly updated to reflect recent developments, as well as to provide a deeper background in diverse contributors and their impacts on economic thought and analysis. For example, the third edition highlights the research and views of a broader group of economists."
See all details
Principles of Macroeconomics 3e
Author(s):
Edition: 3
Copyright: 2022
"Principles of Macroeconomics 3e covers the scope and sequence of most one semester introductory macroeconomics courses. The third edition takes a balanced approach to the theory and application of macroeconomics concepts. The text uses conversational language and ample illustrations to explore economic theories, and provides a wide array of examples using both fictional and real-world scenarios.
The third edition has been carefully and thoroughly updated to reflect current data and understanding, as well as to provide a deeper background in diverse contributors and their impacts on economic thought and analysis. For example, the third edition highlights the research and views of a broader group of economists. Brief references and deeply explored socio-political examples have also been updated to showcase the critical – and sometimes unnoticed – ties between economic developments and topics relevant to students."
See all details
Introduction to Business
Author(s):
Edition: 1
Copyright: 2018
"Designed to meet the scope and sequence of your course, OpenStax Introduction to Anthropology is a four-field text integrating diverse voices, engaging field activities, and meaningful themes like Indigenous experiences and social inequality to engage students and enrich learning. The text showcases the historical context of the discipline, with a strong focus on anthropology as a living and evolving field. There is significant discussion of recent efforts to make the field more diverse—in its practitioners, in the questions it asks, and in the applications of anthropological research to address contemporary challenges. In addressing social inequality, the text drives readers to consider the rise and impact of social inequalities based on forms of identity and difference (such as gender, ethnicity, race, and class) as well as oppression and discrimination. The contributors to and dangers of socioeconomic inequality are fully addressed, and the role of inequality in social dysfunction, disruption, and change is noted."
See all details
Entrepreneurship
Author(s):
Edition: 1
Copyright: 2020
"This textbook is intended for use in introductory Entrepreneurship classes at the undergraduate level. Due to the wide range of audiences and course approaches, the book is designed to be as flexible as possible. Theoretical and practical aspects are presented in a balanced manner, and specific components such as the business plan are provided in multiple formats. Entrepreneurship aims to drive students toward active participation in entrepreneurial roles, and exposes them to a wide range of companies and scenarios."
See all details
Organizational Behavior
Author(s):
Edition: 1
Copyright: 2019
"This OpenStax resource aligns to introductory courses in Organizational Behavior. The text presents the theory, concepts, and applications with particular emphasis on the impact that individuals and groups can have on organizational performance and culture. An array of recurring features engages students in entrepreneurial thinking, managing change, using tools/technology, and responsible management."
See all details
Principles of Management
Author(s):
Edition: 1
Copyright: 2019
"Principles of Management is designed to meet the scope and sequence requirements of the introductory course on management. This is a traditional approach to management using the leading, planning, organizing, and controlling approach. Management is a broad business discipline, and the Principles of Management course covers many management areas such as human resource management and strategic management, as well as behavioral areas such as motivation. No one individual can be an expert in all areas of management, so an additional benefit of this text is that specialists in a variety of areas have authored individual chapters."
See all details
Principles of Marketing
Author(s):
Edition: 1
Copyright: 2023
See all details
College Success Concise
Author(s):
Edition: 1
Copyright: 2023
"OpenStax College Success Concise serves First Year Experience, Student Success, and College Transition courses, and can also be used as a supplementary resource in courses across the curriculum. With the input of hundreds of instructors and academic success experts, the authors carefully prioritized the most critical topics to align to briefer courses.
The offering covers material such as college culture, time management, mindset, study skills, test preparation, financial literacy, health, and planning for the future.
While much of the material is very similar to the original College Success book, this version was holistically edited and updated. Users will see additions such as a new section on group work and greatly expanded coverage of stress management and wellbeing."
See all details
Introduction to Philosophy
Author(s):
Edition: 1
Copyright: 2022
"Designed to meet the scope and sequence of your course, Introduction to Philosophy surveys logic, metaphysics, epistemology, theories of value, and history of philosophy thematically. To provide a strong foundation in global philosophical discourse, diverse primary sources and examples are central to the design, and the text emphasizes engaged reading, critical thinking, research, and analytical skill-building through guided activities."
See all details
U.S. History
Author(s):
Edition: 1
Copyright: 2014
"U.S. History is designed to meet the scope and sequence requirements of most introductory courses. The text provides a balanced approach to U.S. history, considering the people, events, and ideas that have shaped the United States from both the top down (politics, economics, diplomacy) and bottom up (eyewitness accounts, lived experience). U.S. History covers key forces that form the American experience, with particular attention to issues of race, class, and gender.
This is the official print version of this OpenStax textbook. OpenStax makes full-color hardcover and B&W paperback print copies available for students who prefer a hardcopy textbook to go with the free digital version of this OpenStax title. The textbook content is exactly the same as the OpenStax digital book. This textbook is available for free download at the www.openstax.org website, but as many students prefer to study with hardcopy printed books, we offer affordable OpenStax textbooks for sale through this storefront and on Amazon as well as through campus bookstores."
See all details
World History Vol 1
Author(s):
Edition: 1
Copyright: 2023
See all details
World History Vol 2
Author(s):
Edition: 1
Copyright: 2022
See all details
Introduction to Intellectual Property
Author(s):
Edition: 1
Copyright: 2021
"Introduction to Intellectual Property provides a clear, effective introduction to patents, copyright, trademarks, and trade secrets. The text may be used by students and instructors in formal courses, as well as those applying intellectual property considerations to entrepreneurship, marketing, law, computer science, engineering, design, or other fields. The luminaries involved with this project represent the forefront of knowledge and experience, and the material offers considerable examples and scenarios, as well as exercises and references.
Introduction to Intellectual Property was originally developed by the Michelson 20MM Foundation, released under the title The Intangible Advantage.
See all details
Astronomy 2e
Author(s):
Edition: 2
Copyright: 2022
"Designed to meet the scope and sequence of your course, Astronomy 2e is written in clear non-technical language, with the occasional touch of humor and a wide range of clarifying illustrations. It has many analogies drawn from everyday life to help non-science majors appreciate, on their own terms, what our modern exploration of the universe is revealing. The book can be used for either a one-semester or two-semester introductory course.
The second edition has been updated according to new exploration and discoveries. The second edition also includes a significant amount of new art and images."
See all details |
190124 | https://contentexplorer.smarterbalanced.org/target/m-g4-c1-ta | Grade 4 - Claim 1 - Target A | Smarter Content Explorer
Skip to content
Smarter Content Explorer
Explore
Test Development
Support
Search
Grade 4 - Claim 1 - Target A
Back to Results
Mathematics
Target A
Use the four operations with whole numbers to solve problems.
Sample Item
Grade 4
Test
Grade 4
Claim 1
Concepts and Procedures
Students can explain and apply mathematical concepts and carry out mathematical procedures with precision and fluency.
Grade
Grade 4
Content Domain
Operations and Algebraic Thinking
Standards
OA-1 OA-2 OA-3
Download PDF
Major
Overview
Standards
Clarifications
Range ALDs
Evidence
Item Guidelines
Task Models
Standards
OA-1
Interpret a multiplication equation as a comparison, e.g., interpret 35 = 5 × 7 as a statement that 35 is 5 times as many as 7 and 7 times as many as... + More
#### OA-2
Multiply or divide to solve word problems involving multiplicative comparison, e.g., by using drawings and equations with a symbol for the unknown number to represent the problem, distinguishing multiplicative comparison from additive... + More
#### OA-3
Solve multistep word problems posed with whole numbers and having whole-number answers using the four operations, including problems in which remainders must be interpreted. Represent these problems using equations with a letter... + More
Clarifications
Tasks for this target will require students to use the four operations to solve straightforward, one-step or multi-step contextual word problems, including problems where the remainder must be interpreted.
Range Achievement Level Descriptors
+Level 1
+Level 2
+Level 3
+Level 4
Evidence Required
1
The student solves contextual problems involving multiplicative comparisons, e.g., by using drawings and equations with a... + More
#### 2
The student solves straightforward, contextual problems using the four operations.
Item Guidelines
Depth of Knowledge
M-DOK1
Recall includes the recall of information such as fact, definition, term, or a simple procedure, as well as performing a simple algorithm or applying a formula. That is, in mathematics a one-step, well-defined, and straight algorithmic procedure should be... + More
#### M-DOK2
Skill/Concept includes the engagement of some mental processing beyond a habitual response. A Level 2 assessment item requires students to make some decisions as to how to approach the problem or activity, whereas Level 1 requires students to demonstrate a... + More
Allowable Item Types
Equation/Numeric
Allowable Stimulus Materials
multiplication equations, verbal statements of multiplicative comparison, contextual problems involving multiplicative comparison, one-step contextual word problems, measurements limited to: kilometers (km), meters (m), centimeters (cm), kilograms (kg), grams (g), pounds (lb), ounces (oz), liters...
More
Key/Construct Relevant Vocabulary
Remainder, sum, difference, quotient, product, equation, times as much, times as many, equation
Allowable Tools
None
Target-Specific Attributes
Numbers used in this target must be whole numbers. In describing a multiplicative comparison, the language “times as much” or “times as many” is preferable to “times more than.”
Accessibility
Item writers should consider the following Language and Visual Element/Design guidelines when developing items. Language Key Considerations: Use simple, clear, and easy-to-understand language needed to assess the construct or aid in the understanding of the...
More
Development Notes
Interpreting multiplication equations as multiplicative comparisons and representing verbal statements of multiplicative comparisons as multiplication equations (4.OA.1) will be assessed in Claim 4. Items asking students to solve a word problem by using an equation...
More
Task Models
Select a Task Model below
1a
1b
1c
2
Task Model 1a
Item Types
Equation/Numeric
#### Depth of Knowledge
M-DOK1
#### Standards
OA-2
Target Evidence Statement
The student solves contextual problems involving multiplicative comparisons, e.g., by using drawings and equations with a symbol for the unknown number to represent the problem.
Allowable Tools
None
Task Description
Prompt Features: The student is prompted to solve a contextual problem involving multiplicative comparison. Stimulus Guidelines: Numbers should fit in the parameters of up to 4-digit by 1-digit, or 2-digit by 2-digit multiplication problems, and up...
More
Stimulus
The student is presented with a contextual problem involving multiplicative comparison with an unknown product.
Example 1
Example Stem: A cat has 4 times as many toys as a puppy. The puppy has 12 toys. How many toys does the cat have?
Enter your answer in the response box.
Rubric: (1 point) The student solves for an unknown and enters the correct number (e.g., 48).
More Resources for Teachers
Sample Items Website
Tools for Teachers
Smarter Reporting
Smarter Annotated Response Tool
Remote Teaching and Learning
Connect
Twitter
Facebook
Instagram
YouTube
Pinterest
Policy
Privacy
Diversity, Inclusion & Equity
Web Accessibility Statement
©2025 The Regents of the University of California |
190125 | https://math.stackexchange.com/questions/4325015/how-to-determine-if-a-segment-passes-through-the-positive-x-axis | geometry - How to determine if a segment passes through the positive X axis? - Mathematics Stack Exchange
Join Mathematics
By clicking “Sign up”, you agree to our terms of service and acknowledge you have read our privacy policy.
Sign up with Google
OR
Email
Password
Sign up
Already have an account? Log in
Skip to main content
Stack Exchange Network
Stack Exchange network consists of 183 Q&A communities including Stack Overflow, the largest, most trusted online community for developers to learn, share their knowledge, and build their careers.
Visit Stack Exchange
Loading…
Tour Start here for a quick overview of the site
Help Center Detailed answers to any questions you might have
Meta Discuss the workings and policies of this site
About Us Learn more about Stack Overflow the company, and our products
current community
Mathematics helpchat
Mathematics Meta
your communities
Sign up or log in to customize your list.
more stack exchange communities
company blog
Log in
Sign up
Home
Questions
Unanswered
AI Assist Labs
Tags
Chat
Users
Teams
Ask questions, find answers and collaborate at work with Stack Overflow for Teams.
Try Teams for freeExplore Teams
3. Teams
4. Ask questions, find answers and collaborate at work with Stack Overflow for Teams. Explore Teams
Teams
Q&A for work
Connect and share knowledge within a single location that is structured and easy to search.
Learn more about Teams
Hang on, you can't upvote just yet.
You'll need to complete a few actions and gain 15 reputation points before being able to upvote. Upvoting indicates when questions and answers are useful. What's reputation and how do I get it?
Instead, you can save this post to reference later.
Save this post for later Not now
Thanks for your vote!
You now have 5 free votes weekly.
Free votes
count toward the total vote score
does not give reputation to the author
Continue to help good content that is interesting, well-researched, and useful, rise to the top! To gain full voting privileges, earn reputation.
Got it!Go to help center to learn more
How to determine if a segment passes through the positive X axis?
Ask Question
Asked 3 years, 9 months ago
Modified3 years, 9 months ago
Viewed 561 times
This question shows research effort; it is useful and clear
0
Save this question.
Show activity on this post.
A segment is defined by two endpoints (x 1,y 1)(x 1,y 1) and (x 2,y 2)(x 2,y 2).
The positive X axis for simplicity can be defined as the segment going from (0,0)(0,0) to (10 9,0)(10 9,0) (I'm working on a program where the maximum X X value is 10 6 10 6 therefore this is good enough). Although a formula that doesn't rely on endpoints (for the axis) is also acceptable (and probably even better).
What I currently have is an algorithm that detects segment intersections, so I use the segment from (0,0)(0,0) to (10 9,0)(10 9,0) explained above. The algorithm I'm using is a O(1)O(1) check that uses cross product for getting the orientation of points (code below).
But I'm wondering if there's a more elegant way to do this. I just want to refactor the code since this is the only intersection I need to do, and it looks a bit ugly to have all this code just for this. I suspect even a more elegant way would need some cross product stuff, but any idea is appreciated!
C++ code of my current algorithm.
```
struct Segment {
Point p, q;
int orientation(Point p, Point q, Point r) {
ll val = (q.y - p.y) (r.x - q.x) - (q.x - p.x) (r.y - q.y);
if (val == 0) return 0;
return (val > 0) ? 1 : 2;
}
bool intersect(const Segment& s) {
Point p1 = p;
Point q1 = q;
Point p2 = s.p;
Point q2 = s.q;
int o1 = orientation(p1, q1, p2);
int o2 = orientation(p1, q1, q2);
int o3 = orientation(p2, q2, p1);
int o4 = orientation(p2, q2, q1);
return (o1 != o2 && o3 != o4);
}
};
```
geometry
computational-geometry
cross-product
Share
Share a link to this question
Copy linkCC BY-SA 4.0
Cite
Follow
Follow this question to receive notifications
edited Dec 5, 2021 at 23:43
Chris VilchesChris Vilches
asked Dec 5, 2021 at 23:28
Chris VilchesChris Vilches
699 5 5 silver badges 10 10 bronze badges
3
1 If(y1y2>0) // the segment does NOT cross the x-axis Daniel Mathias –Daniel Mathias 2021-12-06 00:06:55 +00:00 Commented Dec 6, 2021 at 0:06
@DanielMathias Thanks, but my question involves only the positive part of the x axis, i.e. (x,0)(x,0) where x x is [0, ∞). Your formula works for the entire x axis (negative included).Chris Vilches –Chris Vilches 2021-12-06 00:58:49 +00:00 Commented Dec 6, 2021 at 0:58
My comment was only a hint, and not a full solution. If the segment does cross the x-axis, then you need to find where it crosses, which I believe is x 1+y 1 y 1−y 2(x 2−x 1)x 1+y 1 y 1−y 2(x 2−x 1)Daniel Mathias –Daniel Mathias 2021-12-06 01:05:50 +00:00 Commented Dec 6, 2021 at 1:05
Add a comment|
4 Answers 4
Sorted by: Reset to default
This answer is useful
1
Save this answer.
Show activity on this post.
If you trace the intersect function step by step, and if you exclude the cases where y 1=0 y 1=0 and where y 2=0,y 2=0, you might notice that two of the calls to orientation are merely testing whether y 1>0 y 1>0 and whether y 2>0.y 2>0. The return statement then checks whether those two results are different, that is, whether y 1 y 1 and y 2 y 2 are on opposite sides of the x x axis.
In the cases where y 1=0 y 1=0 and where y 2=0,y 2=0, the two calls to orientation will return two different values (indicating an intersection with the x x axis) except, bizarrely, in the case where y 1=y 2=0 y 1=y 2=0 (in which case the algorithm will tell you that the segment does not intersect the x x axis).
One of the two remaining calls to orientation -- the one that compares the point (10 9,0)(10 9,0) with the points (x 1,y 1)(x 1,y 1) and (x 2,y 2)(x 2,y 2) -- is always going to return the same value as every other time, unless you're so unlucky that someone gives you points like (x 1,y 1)=(10 9+1,1)(x 1,y 1)=(10 9+1,1) and (x 2,y 2)=(10 9+1,−1).(x 2,y 2)=(10 9+1,−1). So ideally you would skip this call to orientation and merely check whether the one remaining call -- which compares (0,0)(0,0) with (x 1,y 1)(x 1,y 1) and (x 2,y 2)(x 2,y 2) -- returns the result that puts (0,0)(0,0) on the desired side of the line through (x 1,y 1)(x 1,y 1) and (x 2,y 2).(x 2,y 2).
This last call to orientation will use (x 1,y 1)(x 1,y 1) and (x 2,y 2)(x 2,y 2) as the first two arguments (in one order or the other) and (0,0)(0,0) as the third argument, so it will set val to either
(y 1−y 2)x 1−(x 1−x 2)y 1(y 1−y 2)x 1−(x 1−x 2)y 1
or the exact opposite of that quantity (changing the sign), and it will reliably always set val to the same sign for every example where the line through (x 1,y 1)(x 1,y 1) and (x 2,y 2)(x 2,y 2) intersects the positive x x axis. Which sign that is just depends on the order in which it receives the first two arguments.
Since all we need to do is get a consistent sign, we can assume we will compute (y 1−y 2)x 1−(x 1−x 2)y 1(y 1−y 2)x 1−(x 1−x 2)y 1 rather than the opposite. To find out which sign is the one that says "intersects positive x x axis," we just need to work out one example. Let's suppose (x 1,y 1)=(1,1)(x 1,y 1)=(1,1) and (x 2,y 2)=(1,−1).(x 2,y 2)=(1,−1). This is a segment that intersects the positive x x axis, and
(y 1−y 2)x 1−(x 1−x 2)y 1=2×1−0×1=2.(y 1−y 2)x 1−(x 1−x 2)y 1=2×1−0×1=2.
One more detail to figure out. Consider the segment defined by (x 1,y 1)=(0,1)(x 1,y 1)=(0,1) and (x 2,y 2)=(0,−1).(x 2,y 2)=(0,−1). This segment passes through the x x axis at (0,0).(0,0). Do you consider that to be an intersection with "the positive x x axis" or not? Note that the algorithm you are currently using will tell you that this segment does intersect the positive x x axis; I am merely unsure whether that is the answer you wanted or a defect in the implementation.
So what I would do is to write a function that returned the result true if both of the following two conditions are true:
First condition: either y 1=0,y 1=0, or y 2=0,y 2=0, or y 1 y 1 and y 2 y 2 have opposite signs.
Second condition: (y 1−y 2)x 1−(x 1−x 2)y 1>0(y 1−y 2)x 1−(x 1−x 2)y 1>0 (unless you think passing through (0,0)(0,0) should count as an intersection with "the positive x x axis," in which case use ≥≥ instead of >>).
Share
Share a link to this answer
Copy linkCC BY-SA 4.0
Cite
Follow
Follow this answer to receive notifications
answered Dec 6, 2021 at 1:06
David KDavid K
110k 8 8 gold badges 91 91 silver badges 243 243 bronze badges
1
Thanks for the explanation! The problem I'm solving has the property that no segments pass through the origin (0,0)(0,0) so that case is not necessary to consider.Chris Vilches –Chris Vilches 2021-12-06 01:31:32 +00:00 Commented Dec 6, 2021 at 1:31
Add a comment|
This answer is useful
1
Save this answer.
Show activity on this post.
Here is a simple code segment to implement my suggestion.
The first line returns false if the segment is entirely above or below the x axis. Otherwise, the second line returns true if, and only if, the x-intercept is non-negative, as you desire.
{
if(p.yq.y>0)return 0;
return p.x+(q.x-p.x)p.y/(p.y-q.y)>=0;
}
Share
Share a link to this answer
Copy linkCC BY-SA 4.0
Cite
Follow
Follow this answer to receive notifications
edited Dec 6, 2021 at 2:11
answered Dec 6, 2021 at 1:53
Daniel MathiasDaniel Mathias
6,133 1 1 gold badge 13 13 silver badges 24 24 bronze badges
2
Worked first try, thanks a lot! Passed all tests (over 200 cases) so I can tell it's OK.Chris Vilches –Chris Vilches 2021-12-06 01:58:40 +00:00 Commented Dec 6, 2021 at 1:58
@ChrisVilches Simple is good :o)Daniel Mathias –Daniel Mathias 2021-12-06 01:59:40 +00:00 Commented Dec 6, 2021 at 1:59
Add a comment|
This answer is useful
0
Save this answer.
Show activity on this post.
Segment {(x 1,y 1),(x 2,y 2)}{(x 1,y 1),(x 2,y 2)} crosses X X axis when
y 1⋅y 2<0∧x=∈(x 1,x 2)∧x>0 y 1⋅y 2<0∧x=∈(x 1,x 2)∧x>0
where
x=(x 2⋅y 1−x 1⋅y 2)y 1−y 2 x=(x 2⋅y 1−x 1⋅y 2)y 1−y 2
In C++ this may look like
bool intersect(double x1, double y1, double x2, double y2) {
if ( y1 y2 ) > .0
return false;
double x = (x2 y1 - x1 y2);
return x > 0 && x > min(x1, x2) && x < max(x1,x2);
}
Share
Share a link to this answer
Copy linkCC BY-SA 4.0
Cite
Follow
Follow this answer to receive notifications
answered Dec 6, 2021 at 2:14
Yuri GinsburgYuri Ginsburg
111 4 4 bronze badges
Add a comment|
This answer is useful
0
Save this answer.
Show activity on this post.
I just found another way to do this.
bool intersects_positive_x_axis() {
if (p.cross(q) > 0) return q < p;
return p < q;
}
Where p p and q q are the two endpoints of the segment, c r o s s c r o s s is the cross product operator, and << is the comparison by bearing (angle). Since I'm doing a polar sort with a radial sweep algorithm, I already had this implemented.
If p×q>0 p×q>0 then the segment endpoints are in counter clockwise order, but if the order by bearing is not the same, then it means the segment must be crossing the positive side of the x-axis. This is because points in the first quadrant have the lowest bearing value, and points in the fourth quadrant have the highest.
This code ignores the intersection with the point (0,0)(0,0), which has not been tested.
Share
Share a link to this answer
Copy linkCC BY-SA 4.0
Cite
Follow
Follow this answer to receive notifications
answered Dec 7, 2021 at 15:56
Chris VilchesChris Vilches
699 5 5 silver badges 10 10 bronze badges
Add a comment|
You must log in to answer this question.
Start asking to get answers
Find the answer to your question by asking.
Ask question
Explore related questions
geometry
computational-geometry
cross-product
See similar questions with these tags.
Featured on Meta
Introducing a new proactive anti-spam measure
Spevacus has joined us as a Community Manager
stackoverflow.ai - rebuilt for attribution
Community Asks Sprint Announcement - September 2025
Report this ad
Related
1Algorithm for computing the plane that passes through three arbitrary points
0how do I find the number of squares a line passes through on a diagonal axis?
3Determine if a line passes through a triangle ...
1Determine if a line segment passes "through" a triangle ...
8Find the properties of an ellipse from 5 points in 3D space
0Minimum path cost through a line segment
1atan2 function to find 2 circles centers from 2 points that are less than 2 r 2 r apart
Hot Network Questions
The rule of necessitation seems utterly unreasonable
What happens if you miss cruise ship deadline at private island?
Who is the target audience of Netanyahu's speech at the United Nations?
Why do universities push for high impact journal publications?
Why does LaTeX convert inline Python code (range(N-2)) into -NoValue-?
Numbers Interpreted in Smallest Valid Base
Exchange a file in a zip file quickly
Is direct sum of finite spectra cancellative?
If Israel is explicitly called God’s firstborn, how should Christians understand the place of the Church?
What is the meaning and import of this highlighted phrase in Selichos?
What is the feature between the Attendant Call and Ground Call push buttons on a B737 overhead panel?
How to rsync a large file by comparing earlier versions on the sending end?
Does "An Annotated Asimov Biography" exist?
Riffle a list of binary functions into list of arguments to produce a result
Fundamentally Speaking, is Western Mindfulness a Zazen or Insight Meditation Based Practice?
Is encrypting the login keyring necessary if you have full disk encryption?
Passengers on a flight vote on the destination, "It's democracy!"
Do we need the author's permission for reference
With line sustain pedal markings, do I release the pedal at the beginning or end of the last note?
Why are LDS temple garments secret?
How many color maps are there in PBR texturing besides Color Map, Roughness Map, Displacement Map, and Ambient Occlusion Map in Blender?
Does the Mishna or Gemara ever explicitly mention the second day of Shavuot?
How do you emphasize the verb "to be" with do/does?
Making sense of perturbation theory in many-body physics
Question feed
Subscribe to RSS
Question feed
To subscribe to this RSS feed, copy and paste this URL into your RSS reader.
Why are you flagging this comment?
It contains harassment, bigotry or abuse.
This comment attacks a person or group. Learn more in our Code of Conduct.
It's unfriendly or unkind.
This comment is rude or condescending. Learn more in our Code of Conduct.
Not needed.
This comment is not relevant to the post.
Enter at least 6 characters
Something else.
A problem not listed above. Try to be as specific as possible.
Enter at least 6 characters
Flag comment Cancel
You have 0 flags left today
Mathematics
Tour
Help
Chat
Contact
Feedback
Company
Stack Overflow
Teams
Advertising
Talent
About
Press
Legal
Privacy Policy
Terms of Service
Your Privacy Choices
Cookie Policy
Stack Exchange Network
Technology
Culture & recreation
Life & arts
Science
Professional
Business
API
Data
Blog
Facebook
Twitter
LinkedIn
Instagram
Site design / logo © 2025 Stack Exchange Inc; user contributions licensed under CC BY-SA. rev 2025.9.29.34589
By clicking “Accept all cookies”, you agree Stack Exchange can store cookies on your device and disclose information in accordance with our Cookie Policy.
Accept all cookies Necessary cookies only
Customize settings
Cookie Consent Preference Center
When you visit any of our websites, it may store or retrieve information on your browser, mostly in the form of cookies. This information might be about you, your preferences, or your device and is mostly used to make the site work as you expect it to. The information does not usually directly identify you, but it can give you a more personalized experience. Because we respect your right to privacy, you can choose not to allow some types of cookies. Click on the different category headings to find out more and manage your preferences. Please note, blocking some types of cookies may impact your experience of the site and the services we are able to offer.
Cookie Policy
Accept all cookies
Manage Consent Preferences
Strictly Necessary Cookies
Always Active
These cookies are necessary for the website to function and cannot be switched off in our systems. They are usually only set in response to actions made by you which amount to a request for services, such as setting your privacy preferences, logging in or filling in forms. You can set your browser to block or alert you about these cookies, but some parts of the site will not then work. These cookies do not store any personally identifiable information.
Cookies Details
Performance Cookies
[x] Performance Cookies
These cookies allow us to count visits and traffic sources so we can measure and improve the performance of our site. They help us to know which pages are the most and least popular and see how visitors move around the site. All information these cookies collect is aggregated and therefore anonymous. If you do not allow these cookies we will not know when you have visited our site, and will not be able to monitor its performance.
Cookies Details
Functional Cookies
[x] Functional Cookies
These cookies enable the website to provide enhanced functionality and personalisation. They may be set by us or by third party providers whose services we have added to our pages. If you do not allow these cookies then some or all of these services may not function properly.
Cookies Details
Targeting Cookies
[x] Targeting Cookies
These cookies are used to make advertising messages more relevant to you and may be set through our site by us or by our advertising partners. They may be used to build a profile of your interests and show you relevant advertising on our site or on other sites. They do not store directly personal information, but are based on uniquely identifying your browser and internet device.
Cookies Details
Cookie List
Clear
[x] checkbox label label
Apply Cancel
Consent Leg.Interest
[x] checkbox label label
[x] checkbox label label
[x] checkbox label label
Necessary cookies only Confirm my choices |
190126 | https://www.homeschoolmath.net/teaching/proof_square_root_2_irrational.php | By Grades
1st grade
2nd grade
3rd grade
4th grade
5th grade
6th grade
7th grade
Elementary
Number Charts
Addition
Multiplication
Division
Long division
Basic operations
Measuring
Telling time
Place value
Rounding
Roman numerals
Money
US Money
Canadian
Australian
British
European
S. African
Fractions & related
Add, subtract, multiply,
and divide
fractions
Mixed numbers vs. fractions
Simplify
Compare
Equivalent fractions
Prime factorization & factors
GCF & LCM
Fraction Calculator
Decimals & Percent
Add, subtract, multiply,
and divide
decimals
Multiplication
Division
Fractions to decimals
Percents to decimals
Percentage of a number
Percent word problems
Geometry
Classify triangles
Classify quadrilaterals
Circle worksheets
Area & perimeter of
rectangles
Area of triangles &
polygons
Coordinate grid, including
moves & reflections
Volume & surface area
Pre-algebra
Exponents
Square Roots
Order of operations
Scientific
notation
Proportions
Ratio word problems
Write expressions
Evaluate expressions
Simplify expressions
Linear equations
Linear inequalities
Graphing & slope
Equation calculator
Equation editor
Free lessons
Elementary Math Games
Addition and subtraction
Place value
Clock
Money
Measuring
Multiplication
Division
Math facts practice
The four operations
Factoring and number theory
Geometry topics
Middle/High School
Fractions
Decimals
Percent
Integers
Exponents
Statistics & Graphs
Probability
Geometry topics
Algebra
Calculus
Trigonometry
Logic and proof
For all levels
Favorite math puzzles
Favorite challenging
puzzles
Math in real world
Problem solving & projects
For gifted children
Math history
Math games and fun websites
Interactive math tutorials
Math help & online tutoring
Assessment, review & test prep
Online math curricula
Curriculum guide
ReviewsMenu
| | | | | | | | | | | | | | | | | | | | | | | |
--- --- --- --- --- --- --- --- --- --- ---
| A proof that the square root of 2 is irrational Here you can read a step-by-step proof with simple explanations for the fact that the square root of 2 is an irrational number. It is the most common proof for this fact and is by contradiction. How do we know that square root of 2 is an irrational number? In other words, how do we know that √2 doesn't have a pattern in its decimal sequence? Maybe the pattern is very well hidden and is really long, billions of digits? Here is where mathematical proof comes in. The proof that √2 is indeed irrational is usually found in college level math texts, but it isn't that difficult to follow. It does not rely on computers at all, but instead is a "proof by contradiction": if √2 WERE a rational number, we'd get a contradiction. I encourage all high school students to study this proof since it illustrates so well a typical proof in mathematics and is not hard to follow. A proof that the square root of 2 is irrational Let's suppose √2 is a rational number. Then we can write it √2 = a/b where a, b are whole numbers, b not zero. We additionally assume that this a/b is simplified to lowest terms, since that can obviously be done with any fraction. Notice that in order for a/b to be in simplest terms, both of a and b cannot be even. One or both must be odd. Otherwise, we could simplify a/b further. From the equality √2 = a/b it follows that 2 = a2/b2, or a2 = 2 · b2. So the square of a is an even number since it is two times something. From this we know that a itself is also an even number. Why? Because it can't be odd; if a itself was odd, then a · a would be odd too. Odd number times odd number is always odd. Check it if you don't believe me! Okay, if a itself is an even number, then a is 2 times some other whole number. In symbols, a = 2k where k is this other number. We don't need to know what k is; it won't matter. Soon comes the contradiction. If we substitute a = 2k into the original equation 2 = a2/b2, this is what we get: | | | | --- | 2 | = | (2k)2/b2 | | 2 | = | 4k2/b2 | | 2b2 | = | 4k2 | | b2 | = | 2k2 | This means that b2 is even, from which follows again that b itself is even. And that is a contradiction!!! WHY is that a contradiction? Because we started the whole process assuming that a/b was simplified to lowest terms, and now it turns out that a and b both would be even. We ended at a contradiction; thus our original assumption (that √2 is rational) is not correct. Therefore √2 cannot be rational. --- See also What is a mathematical proof? Math Lessons menu | | | | --- | Place Value Grade 1+ Using a 100-bead abacus in elementary math + Teaching tens and ones + Practicing with two-digit numbers + Counting in groups of ten + Skip-counting practice (0-100) + Comparing 2-digit numbers + Cents and dimes Grade 2+ Three-digit numbers + Comparing 3-digit numbers Grade 3+ Place value with thousands + Comparing 4-digit numbers + Rounding & estimating + Rounding to the nearest 100 Grade 4+ Place value - big numbers | Add & subtract lessons Grade 1 + Missing addend concept (0-10) + Addition facts when the sum is 6 + Addition & subtraction connection Grade 2+ Fact families & basic addition/subtraction facts + Sums that go over over the next ten + Add/subtract whole tens (0-100) + Add a 2-digit number and a single-digit number mentally + Add 2-digit numbers mentally + Regrouping in addition + Regrouping twice in addition + Regrouping or borrowing in subtraction Grade 3+ Mental subtraction strategies + Rounding & estimating | Multiplication Grade 3+ Multiplication concept as repeated addition + Multiplication on number line + Commutative + Multiply by zero + Word problems + Order of operations + Structured drill for multiplication tables + Drilling tables of 2, 3, 5, or 10 + Drilling tables of 4, 11, 9 Grade 4+ Multiplying by whole tens & hundreds + Distributive property + Partial products - the easy way + Partial products - video lesson + Multiplication algorithm + Multiplication Algorithm — Two-Digit Multiplier + Scales problems - video lesson + Estimation when multiplying | | Division Grade 3+ Division as making groups + Division/multiplication connection + Division is repeated subtraction + Zero in division + Division that is not exact (remainder) + Divisibility Grade 4+ How to teach long division + Long division as repeated subtraction + Why long division works + Zero in dividend + Remainder & long division + Two-digit divisor + Review of division topics Divisibility+ Divisibility within 0-1000 + Divisibility rules + Prime factorization 1 + Prime factorization 2 + Sieve of Eratosthenes | Fraction Lessons + Understanding fractions + Finding fractional parts with division + Mixed numbers + Fractions to mixed numbers and vv. + Adding like fractions + Equivalent fractions + Adding unlike fractions 1 + Adding unlike fractions 2: Finding the common denominator + Adding mixed numbers + Subtracting mixed numbers + Subtracting mixed numbers 2 + Measuring in inches + Comparing fractions + Simplifying fractions + Multiply fractions by whole numbers + Multiply fractions by fractions + Multiplication and area + Simplify before multiplying + Dividing fractions by whole numbers + Dividing fractions: fitting the divisor + Dividing fractions: reciprocal numbers + Dividing fractions: using the shortcut | Geometry Lessons + Lines, rays, and angles + Measuring angles + Parallel & perpendicular + Acute, obtuse, and right triangles + Angle sum of a triangle + Equilateral & isosceles triangles + Circles + Symmetry + Altitude of a triangle + Polygons + Perimeter + Area of rectangles + Area of right triangles + Area of parallelograms + Area of triangles + Area versus Perimeter + Angles in Polygons (PDF) + Review: Area of Polygons (PDF) + Surface Area (PDF) | | Decimals Lessons + Decimals videos + Decimals (1 decimal digit) + Decimal place value (1 decimal digit) + Decimals (2 decimal digits) + Decimal place value (2 decimal digits) + Decimals (3 decimal digits) + Add & subtract (1 decimal digit) + Add & subtract (2 decimal digits) + Add and subtract decimals — practice + Comparing decimals + Multiply a decimal by a whole number + Multiply decimals by decimals + Divide decimals—mental math + Divide decimals by decimals + Multiply and divide decimals by 10, 100, and 1000 + Decimals review lesson | Percents Lessons + How to teach proportions + Percent - the basic concept + Percentage of a number—mental math + How to calculate a percentage of a number + How to calculate percentages + Basics of percent of change | General + Four habits of highly effective math teaching + Why are math word problems SO difficult for children? Hint: it has to do with a "recipe" that many math lessons follow. + The do's and don'ts of teaching problem solving in math Advice on how you can teach problem solving in elementary, middle, and high school math. + How to set up algebraic equations to match word problems Students often have problems setting up an equation for a word problem in algebra. To do that, they need to see the RELATIONSHIP between the different quantities in the problem. This article explains some of those relationships. + Seven reasons behind math anxiety and how to prevent it + Mental math "mathemagic" with Arthur Benjamin (video) + Keeping math skills sharp in the summer + Geometric vanish puzzles + Science resources Short reviews of the various science resources and curricula I have used with my own children. | | | |
190127 | https://www.sciencemuseum.org.uk/objects-and-stories/medicine/hospital-infection | View more details on collections site
Support us Shop
Toggle Search Bar
Visit
Food and drink
Accessibility
See and do
Objects and stories
Groups
Formal education groups
Other Groups
Home Educators
Community partnerships
FAQs for groups
Learning resources
Educator CPD and events
Travel Trade
Researchers
Research Events
Science Museum Group Journal
About us
Press office
Venue hire
Jobs
Volunteering
Contact us
Support us
Shop
Wonderlab+
Blog
Newsletter
Free entryOpen daily, 10.00–18.00
Science MuseumExhibition RoadLondon SW7 2DD
View on Google Maps
Book your free general admission tickets to visit the museum here. Schools and groups can book free general admission tickets here.
You are here:
Home
Objects and stories
Hospital infection
Hospital infection
Published: 14 October 2018
Infection used to be one of the biggest killers in hospitals before modern hygiene standards were introduced. But the risk of infection hasn't gone away.
Hospital infection has been an issue for as long as there have been hospitals. Putting so many weak and vulnerable people in close proximity, many of them arriving with contagious diseases is bound to encourage the spread of infection.
What is an infection?
An infection happens when infectious agents (commonly called germs) enters the body and begin to reproduce and spread, releasing toxins into the blood and disrupting bodily functions. The infectious agents are simple micro-organisms such as bacteria, viruses, fungi, and prions.
How an infection spreads depends on the type of micro-organism. Infection can be transmitted in a variety of ways, including:
skin contact
bodily fluids
contact with faeces
airborne droplets or particles
touching an object that an infected person has also touched.
Some infections, such as cold viruses, are mild and little more than a nuisance, but others are severe and life-threatening. The body’s immune system usually protects the body against infections, but if the infection spreads too rapidly or cannot be controlled, the immune system may be overwhelmed and the infection may become dangerous.
The common symptoms of infection are triggered by the immune systems response to an infecting micro-organism and include fever, feeling cold or shivery, localised redness, swelling or discharge of pus, nasal congestion, coughing, diarrhoea or vomiting. These are all signs that the body is trying to rid itself of the infection.
Hospital infections
In the past, even when an operation or treatment was successful, the patient often died from infection. Infections in hospital wards, particularly after surgery, were so common that the phenomenon was known as hospitalism or ward fever.
Inexplicably, an infection might sweep through an entire ward, killing the most vulnerable. No wonder surgery was a last resort for most patients. Victorian surgeon James Y. Simpson, the discoverer of chloroform, claimed that:
a man laid on the operating table in one or our surgical hospitals is exposed to more chance of death than was the English soldier on the field of Waterloo.
As early as 1847, the Hungarian doctor Ignaz Semmelweis had realised that infection rates were far worse in maternity wards attended by doctors than in wards where midwives only delivered the babies. Doctors and medical students handled a wider variety of patients as well as dead bodies, whereas midwives only came into contact with generally healthy pregnant women.
Semmelweis suspected that it was the doctors who were bringing the infections into the ward. He introduced a simple antiseptic hand-washing procedure for medical staff entering his wards and found the infection rates fell.
The infections were being transferred from patient to patient by unwitting doctors, who rarely washed their own hands or instruments between procedures. But because no one knew what caused infections, Semmelweis couldn't prove that hand-washing prevented the spread of infection and his findings were not widely adopted. Tragically Semmelweis himself died from blood poisoning caused by a cut on his finger.
The germ theory of disease
The French scientist Louis Pasteur speculated that the spread of microorganisms (called germs) in the body could explain infectious disease. This became known as the germ theory of disease. Although he never tested the theory, Pasteur suggested that germ-killing chemicals might be able to limit the spread of infections.
In the UK, surgeon Joseph Lister had been investigating surgical infection and was inspired by Pasteur’s research. Lister develop the antisepsis system in order to prevent infections from entering a wound during and after surgery.
Lister's system killed infectious agents using carbolic acid as a disinfectant for washing the hands, cleaning surgical instruments and on post-surgical dressings.
Lister published a paper about his system in the Lancet, but because Pasteur’s germ theory was still untested many surgeons were sceptical. Without the belief that germs were real and dangerous, many surgeons found the antiseptic system unnecessarily complicated and excessive.
Some surgeons were opposed because they thought that Lister was proposing carbolic acid as a treatment for infection rather than as one possible chemical barrier or antiseptic for preventing infection entering the body. They objected that carbolic acid was too toxic for wound dressings because, in strong solutions it irritated and burned the wound and surrounding skin, and an overdose could cause excessive vomiting.
The importance of hospital sanitation
Some of Lister’s critics argued that good hygiene and cleanliness were all that was needed to control infection, and that Lister’s elaborate antisepsis system was simply another form of sanitation.
Lister responded by producing statistical evidence from his wards at Glasgow Infirmary to demonstrate the effectiveness of the antisepsis system, but his data was limited and failed to convince many of his critics. Most surgeons preferred to wait until there was stronger evidence for the germ theory and antisepsis before committing themselves.
But one person who did convince hospital administrators about the importance of preventing hospital infection was Florence Nightingale. She used statistical evidence based on the data she gathered at military hospitals hospitals during the Crimean War to demonstrate that infections, not war wounds, were the biggest killers of soldiers in army hospitals.
When Nightingale returned to Britain, she collaborated with the epidemiologist William Farr in the preparation of hospital statistics for her book Notes on Hospitals (1859).
The compelling statistical evidence she provided convinced many hospitals that improved sanitation was sufficient to reduce infection-related deaths and diseases in hospitals.
Like many doctors at the time, Nightingale believed in the traditional view that miasmas (bad air) and not germs spread infection. Her campaign was based on empirical evidence rather than scientific proof.
Nevertheless, her campaign to clean up hospitals improved standards of care as well as hygiene and led to fewer deaths from infection. She also set up a training school in London, where nurses were instructed the principles of good hygiene.
Lister didn’t think that sanitation was important if proper antiseptic procedures were in place. His sanitary procedure in the operating room simply consisted of removing his coat, rolling up his sleeves and pinning a clean but unsterilised towel over his waistcoat and trousers.
Such was his faith in germ theory and antisepsis that cleanliness seemed irrelevant to him. In an address to the British Medical Association he declared:
My patients have the dirtiest wounds and sores in the world’ but, he explained, ‘aesthetically they are dirty, though surgically they are clean.
In fact both good hygiene and antiseptic procedures are needed to prevent and control hospial infection. Both the sanitarians and the Listerians had yet to be convinced by each other's evidence.
Modern infection control
In 1877 the German scientist Robert Koch provided convincing scientific evidence that germs were the cause of infectious diseases such as anthrax and typhoid. His laboratory work on bacterial infection also showed that dry heat and steam sterilisation were as effective as chemical agents in controlling and preventing the growth of bacteria.
Lister's antisepsis, Nightingale's hospital hygiene and Koch's bateriology combined in a new approach to infection control in hospitals, which was called asepsis. In modern hospitals asepsis is the norm, combining steam sterilisation of instruments and clothing in the operating theatre with disinfectant cleaning of surfaces and antiseptic cleaning and dressings for wounds.
The discovery of antibiotics in the 1940s made a dramatic difference to the control of infections in the body. For the first time, there was an effective drug treatment and cure for infections.
Gradually, hospitals became complacent about hygiene standards. Why would you put so much effort into preventing infections when you could just focus on treating the infected patient?
Unfortunately, bacteria and viruses evolve at astonishing rates, and some strains of 'superbugs' have become resistant to antibiotics. Overuse of antibiotics has, once again, made hospital infection potentially life-threatening.
Antibiotic resistant 'superbugs' such as MRSA exist inside and outside hospitals so modern health care services have to be vigilant about infections in the hospital and those brought in by visitors. Hospital infection was almost thought of as a thing of the past, but it has not gone away, and hygiene and aseptic controls are as important as ever.
Suggestions for further research
Surgical Asepsis and Principles of Sterile Technique, (website)
Slide presentation: Asepsis and Antisepsis in the Operating Room, slideshare.net (website)
‘Asepsis and Bacteriology’ by Thomas Schlich (ejournal)
‘The History of Germ Theory’ by Jemima Hodkinson (ejournal)
‘Antiseptic Surgery’, William Watson Cheyne, 1882 (ebook)
‘On the Effects of the Antiseptic System of Treatment’, Joseph Lister, 1870 (ebook)
'One False Move', 1963 public information film (video)
Find out more about infection
### Joseph Lister’s antisepsis system
Not so long ago even the smallest procedure could be deadly if infection entered the body. Antisepsis gave us a way to make surgery safe.
Series
Hospitals
Category:
Read more stories about the history of hospitals and the practice of hospital medicine.
Watch the video
LIving with a superbug
Category:
In 2016, 54-year-old Craig was infected with Mycobacterium Abscessus, a rare water-borne bacteria, during a routine operation. |
190128 | https://assets.publishing.service.gov.uk/media/6140b7008fa8f503ba3dc8d1/Maths_guidance_KS_1_and_2.pdf | Mathematics guidance: key stages 1 and 2 Non-statutory guidance for the national curriculum in England June 2020 2 Contents Acknowledgements 3 Summary 4 Introduction 5 Ready-to-progress criteria: year 1 to year 6 9 Year 1 guidance 16 Year 2 guidance 48 Year 3 guidance 82 Year 4 guidance 143 Year 5 guidance 208 Year 6 guidance 278 Appendix: number facts fluency overview 332 3 Acknowledgements We would like to thank and acknowledge the following people involved in the production of this publication: Dr Debbie Morgan (Director for Primary Mathematics, NCETM); Clare Christie (Maths Consultant and Lead Practitioner, Ashley Down Primary School); Professor Anne Watson (Emeritus Professor in Mathematics Education, University of Oxford); Dr Yvette Sturdy (Development Editor, DiGiV8 Ltd.); Jalita Jacobson (Editor and Illustrator); Steve Evans (Illustrator); Dr Xinfeng Huang, (Associate Professor, Shanghai Normal University); Elizabeth Lambert (Assistant Director for Primary, NCETM); Emma Patman (Assistant Director for Primary, NCETM); Carol Knights (Director for Secondary, NCETM); Kris Dong (Deputy Head of Primary, National Nord Anglia Chinese International School Shanghai); Ellie Swidryk (Mastery Specialist Teacher, Shrubland Street Primary School); Thomas Hassall (Mastery Specialist Teacher, St Andrew’s Junior School); David Byron (Mastery Specialist Teacher, Cathedral Primary School, Bristol); Thomas Henesey (Mastery Specialist Teacher, Kingsholm C of E Primary School); Ione Haroun (Mastery Specialist Teacher, St White's Primary School); Farzana Khan (Mastery Specialist Teacher, Astwood Bank Primary School); Joanne Lane (Mastery Specialist Teacher, Stourport Primary Academy); Cat Potter (Head of Mathematics, Trinity Academy Bristol). 4 Summary This publication provides non-statutory guidance from the Department for Education. It has been produced to help teachers and schools make effective use of the National Curriculum to develop primary school pupils’ mastery of mathematics. Who is this publication for? This guidance is for: local authorities school leaders, school staff and governing bodies in all maintained schools, academies and free schools 5 Introduction Aims of the publication This publication aims to: bring greater coherence to the national curriculum by exposing core concepts in the national curriculum and demonstrating progression from year 1 to year 6 summarise the most important knowledge and understanding within each year group and important connections between these mathematical topics What is included in the publication? This publication identifies the most important conceptual knowledge and understanding that pupils need as they progress from year 1 to year 6. These important concepts are referred to as ready-to-progress criteria and provide a coherent, linked framework to support pupils’ mastery of the primary mathematics curriculum. The ready-to-progress criteria for all year groups are provided at the end of the introduction (Ready-to-progress criteria), and each criterion is explained within the corresponding year-group chapter. Please note that the publication does not address the whole of the primary curriculum, but only the areas that have been identified as a priority. It is still a statutory requirement that the whole of the curriculum is taught. However, by meeting the ready-to-progress criteria, pupils will be able to more easily access many of the elements of the curriculum that are not covered by this guidance. The year-group chapters Each chapter begins with a table that shows how each ready-to-progress criterion for that year group links to pupils’ prior knowledge and future applications. Each year-group chapter then provides: teaching guidance for each ready-to-progress criterion, including core mathematical representations, language structures and discussion of connections to other criteria example assessment questions for each ready-to-progress criterion guidance on the development of calculation and fluency Representations of the mathematics A core set of representations have been selected to expose important mathematical structures and ideas, and make them accessible to pupils. Consistent use of the same representations across year groups help to connect prior learning to new learning. The 6 example below demonstrates the use of tens frames and counters extended from year 1, where each counter represents 1 and a filled frame represents 10, to year 4 where each counter represents 100 a filled frame represents 1,000. Figure 1: using a tens frame and counters Figure 2: using a tens frame and counters Language structures The development and use of precise and accurate language in mathematics is important, so the guidance includes ‘Language focus’ features. These provide suggested sentence structures for pupils to use to capture, connect and apply important mathematical ideas. Once pupils have learnt to use a core sentence structure, they should be able to adapt and reason with it to apply their understanding in new contexts. Language focus “8 plus 6 is equal to 14, so 8 hundreds plus 6 hundreds is equal to 14 hundreds.” “14 hundreds is equal to 1,400.” Making Connections ‘Making connections’ features discuss important connections between ready-to-progress criteria within a year group. The example below describes how division with remainders is connected to multiplication and fractions criteria. Making connections Pupils must have automatic recall of multiplication facts and related division facts, and be able to recognise multiples (4NF–1 ) before they can solve division problems with remainders. For example, to calculate , pupils need to be able to identify the largest multiple of 7 that is less than 55 (in this case 49). They must then recall how many sevens there are in 49, and calculate the remainder. Converting improper fractions to mixed numbers (4F–2 ) relies on solving division problems with remainders. For example, converting to a mixed number depends on the calculation . 7 Assessment Example assessment questions are provided for each ready to progress criterion. These questions demonstrate the depth and breadth of understanding that pupils need to be ready to progress to the next year group. Calculation and fluency Each chapter ends with a section on the development of calculation methods and fluency. Pupils should be able to choose and use efficient calculation methods for addition, subtraction, multiplication and division. They must also have automatic recall of a core set of multiplicative and additive facts to enable them to focus on learning new concepts. Appendix: number facts fluency overview sets out when the multiplication tables and core additive facts should be taught, and in what order. How to use this publication This publication can support long-term, medium-term and short-term planning, and assessment. At the long-term planning stage, this guidance can be used to ensure that the most important elements that underpin the curriculum are covered at the right time, and to ensure that there is continuity and consistency for pupils as they progress from one year group to the next. At the medium-term planning stage, teachers can use the guidance to inform decisions on how much teaching time to set aside for the different parts of the curriculum. Teaching time can be weighted towards the ready-to-progress criteria. The ready-to-progress tables at the start of each year group and the ‘Making connections’ features support medium-term planning by demonstrating how to make connections between mathematical ideas and develop understanding based on logical progression. At the short-term planning stage, the guidance can be used to inform teaching strategy, and the representations and ‘Language focus’ features can be used to make concepts more accessible to pupils. The publication can also be used to support transition conversations between teachers of adjacent year groups, so that class teachers understand what pupils have been taught in the previous year group, how they have been taught it, and how effectively pupils have understood and remembered it. 8 Ready-to-progress criteria and the curriculum The ready-to-progress criteria in this document are organised into 6 strands, each of which has its own code for ease of identification. These are listed below. Measurement and Statistics are integrated as applications of number criteria, and elements of measurement that relate to shape are included in the Geometry strand. Ready-to-progress criteria strands Code Number and place value NPV Number facts NF Addition and subtraction AS Multiplication and division MD Fractions F Geometry G Special educational needs and disability (SEND) Pupils should have access to a broad and balanced curriculum. The National Curriculum Inclusion Statement states that teachers should set high expectations for every pupil, whatever their prior attainment. Teachers should use appropriate assessment to set targets which are deliberately ambitious. Potential areas of difficulty should be identified and addressed at the outset. Lessons should be planned to address potential areas of difficulty and to remove barriers to pupil achievement. In many cases, such planning will mean that pupils with SEN and disabilities will be able to study the full national curriculum. The guidance in this document will support planning for all SEND pupils by highlighting the most important concepts within the national curriculum so that teaching and targeted support can be weighted towards these.
9 Ready-to-progress criteria: year 1 to year 6 The table below is a summary of the ready-to-progress criteria for all year groups. Strand Year 1 Year 2 Year 3 Year 4 Year 5 Year 6 NPV 1NPV–1 Count within 100, forwards and backwards, starting with any number. 3NPV–1 Know that 10 tens are equivalent to 1 hundred, and that 100 is 10 times the size of 10; apply this to identify and work out how many 10s there are in other three-digit multiples of 10. 4NPV–1 Know that 10 hundreds are equivalent to 1 thousand, and that 1,000 is 10 times the size of 100; apply this to identify and work out how many 100s there are in other four-digit multiples of 100. 5NPV–1 Know that 10 tenths are equivalent to 1 one, and that 1 is 10 times the size of 0.1. Know that 100 hundredths are equivalent to 1 one, and that 1 is 100 times the size of 0.01. Know that 10 hundredths are equivalent to 1 tenth, and that 0.1 is 10 times the size of 0.01. 6NPV–1 Understand the relationship between powers of 10 from 1 hundredth to 10 million, and use this to make a given number 10, 100, 1,000, 1 tenth, 1 hundredth or 1 thousandth times the size (multiply and divide by 10, 100 and 1,000). 2NPV–1 Recognise the place value of each digit in two-digit numbers, and compose and decompose two-digit numbers using standard and non-standard partitioning. 3NPV–2 Recognise the place value of each digit in three-digit numbers, and compose and decompose three-digit numbers using standard and non-standard partitioning. 4NPV–2 Recognise the place value of each digit in four-digit numbers, and compose and decompose four-digit numbers using standard and non-standard partitioning. 5NPV–2 Recognise the place value of each digit in numbers with up to 2 decimal places, and compose and decompose numbers with up to 2 decimal places using standard and non-standard partitioning. 6NPV–2 Recognise the place value of each digit in numbers up to 10 million, including decimal fractions, and compose and decompose numbers up to 10 million using standard and non-standard partitioning. 1NPV–2 Reason about the location of numbers to 20 within the linear number system, including comparing using < > and = 2NPV–2 Reason about the location of any two-digit number in the linear number system, including identifying the previous and next multiple of 10. 3NPV–3 Reason about the location of any three-digit number in the linear number system, including identifying the previous and next multiple of 100 and 10. 4NPV–3 Reason about the location of any four-digit number in the linear number system, including identifying the previous and next multiple of 1,000 and 100, and rounding to the nearest of each. 5NPV–3 Reason about the location of any number with up to 2 decimals places in the linear number system, including identifying the previous and next multiple of 1 and 0.1 and rounding to the nearest of each. 6NPV–3 Reason about the location of any number up to 10 million, including decimal fractions, in the linear number system, and round numbers, as appropriate, including in contexts. 10 Strand Year 1 Year 2 Year 3 Year 4 Year 5 Year 6 NPV 3NPV–4 Divide 100 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 100 with 2, 4, 5 and 10 equal parts. 4NPV–4 Divide 1,000 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 1,000 with 2, 4, 5 and 10 equal parts. 5NPV–4 Divide 1 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in units of 1 with 2, 4, 5 and 10 equal parts. 6NPV–4 Divide powers of 10, from 1 hundredth to 10 million, into 2, 4, 5 and 10 equal parts, and read scales/number lines with labelled intervals divided into 2, 4, 5 and 10 equal parts. 5NPV–5 Convert between units of measure, including using common decimals and fractions. NF 1NF–1 Develop fluency in addition and subtraction facts within 10. 2NF–1 Secure fluency in addition and subtraction facts within 10, through continued practice. 3NF–1 Secure fluency in addition and subtraction facts that bridge 10, through continued practice. 1NF–2 Count forwards and backwards in multiples of 2, 5 and 10, up to 10 multiples, beginning with any multiple, and count forwards and backwards through the odd numbers. 3NF–2 Recall multiplication facts, and corresponding division facts, in the 10, 5, 2, 4 and 8 multiplication tables, and recognise products in these multiplication tables as multiples of the corresponding number. 4NF–1 Recall multiplication and division facts up to , and recognise products in multiplication tables as multiples of the corresponding number. 5NF–1 Secure fluency in multiplication table facts, and corresponding division facts, through continued practice. 4NF–2 Solve division problems, with two-digit dividends and one-digit divisors, that involve remainders, and interpret remainders appropriately according to the context. 3NF–3 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 10). 4NF–3 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 100) 5NF–2 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 1 tenth or 1 hundredth). 11 Strand Year 1 Year 2 Year 3 Year 4 Year 5 Year 6 AS 1AS–1 Compose numbers to 10 from 2 parts, and partition numbers to 10 into parts, including recognising odd and even numbers. 2AS–1 Add and subtract across 10. 3AS–1 Calculate complements to 100. 6AS/MD–1 Understand that 2 numbers can be related additively or multiplicatively, and quantify additive and multiplicative relationships (multiplicative relationships restricted to multiplication by a whole number). 1AS–2 Read, write and interpret equations containing addition ( ), subtraction ( ) and equals ( ) symbols, and relate additive expressions and equations to real-life contexts. 2AS–2 Recognise the subtraction structure of ‘difference’ and answer questions of the form, “How many more…?”. 3AS–2 Add and subtract up to three-digit numbers using columnar methods. 6AS/MD–2 Use a given additive or multiplicative calculation to derive or complete a related calculation, using arithmetic properties, inverse relationships, and place-value understanding. 2AS–3 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract only ones or only tens to/from a two-digit number. 3AS–3 Manipulate the additive relationship: Understand the inverse relationship between addition and subtraction, and how both relate to the part–part–whole structure. Understand and use the commutative property of addition, and understand the related property for subtraction. 6AS/MD–3 Solve problems involving ratio relationships. 2AS–4 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract any 2 two-digit numbers. 6AS/MD–4 Solve problems with 2 unknowns. 12 13 Strand Year 1 Year 2 Year 3 Year 4 Year 5 Year 6 MD 2MD–1 Recognise repeated addition contexts, representing them with multiplication equations and calculating the product, within the 2, 5 and 10 multiplication tables. 3MD–1 Apply known multiplication and division facts to solve contextual problems with different structures, including quotitive and partitive division. 4MD–1 Multiply and divide whole numbers by 10 and 100 (keeping to whole number quotients); understand this as equivalent to making a number 10 or 100 times the size. 5MD–1 Multiply and divide numbers by 10 and 100; understand this as equivalent to making a number 10 or 100 times the size, or 1 tenth or 1 hundredth times the size. For year 6, MD ready-to-progress criteria are combined with AS ready-to-progress criteria (please see above). 2MD–2 Relate grouping problems where the number of groups is unknown to multiplication equations with a missing factor, and to division equations (quotitive division). 4MD–2 Manipulate multiplication and division equations, and understand and apply the commutative property of multiplication. 5MD–2 Find factors and multiples of positive whole numbers, including common factors and common multiples, and express a given number as a product of 2 or 3 factors. 4MD–3 Understand and apply the distributive property of multiplication. 5MD–3 Multiply any whole number with up to 4 digits by any one-digit number using a formal written method. 5MD–4 Divide a number with up to 4 digits by a one-digit number using a formal written method, and interpret remainders appropriately for the context. 14 Strand Year 1 Year 2 Year 3 Year 4 Year 5 Year 6 F 3F–1 Interpret and write proper fractions to represent 1 or several parts of a whole that is divided into equal parts. 6F–1 Recognise when fractions can be simplified, and use common factors to simplify fractions. 3F–2 Find unit fractions of quantities using known division facts (multiplication tables fluency). 5F–1 Find non-unit fractions of quantities. 6F–2 Express fractions in a common denomination and use this to compare fractions that are similar in value. 3F–3 Reason about the location of any fraction within 1 in the linear number system. 4F–1 Reason about the location of mixed numbers in the linear number system. 6F–3 Compare fractions with different denominators, including fractions greater than 1, using reasoning, and choose between reasoning and common denomination as a comparison strategy. 4F–2 Convert mixed numbers to improper fractions and vice versa. 5F–2 Find equivalent fractions and understand that they have the same value and the same position in the linear number system. 3F–4 Add and subtract fractions with the same denominator, within 1. 4F–3 Add and subtract improper and mixed fractions with the same denominator, including bridging whole numbers. 5F–3 Recall decimal fraction equivalents for , , and , and for multiples of these proper fractions. G 1G–1 Recognise common 2D and 3D shapes presented in different orientations, and know that rectangles, triangles, cuboids and pyramids are not always similar to one another. 2G–1 Use precise language to describe the properties of 2D and 3D shapes, and compare shapes by reasoning about similarities and differences in properties. 3G–1 Recognise right angles as a property of shape or a description of a turn, and identify right angles in 2D shapes presented in different orientations. 5G–1 Compare angles, estimate and measure angles in degrees (°) and draw angles of a given size. 15 Strand Year 1 Year 2 Year 3 Year 4 Year 5 Year 6 G 5G–2 Compare areas and calculate the area of rectangles (including squares) using standard units. 1G–2 Compose 2D and 3D shapes from smaller shapes to match an example, including manipulating shapes to place them in particular orientations. 3G–2 Draw polygons by joining marked points, and identify parallel and perpendicular sides. 4G–1 Draw polygons, specified by coordinates in the first quadrant, and translate within the first quadrant. 6G–1 Draw, compose, and decompose shapes according to given properties, including dimensions, angles and area, and solve related problems. 4G–2 Identify regular polygons, including equilateral triangles and squares, as those in which the side-lengths are equal and the angles are equal. Find the perimeter of regular and irregular polygons. 4G–3 Identify line symmetry in 2D shapes presented in different orientations. Reflect shapes in a line of symmetry and complete a symmetric figure or pattern with respect to a specified line of symmetry. 16 Year 1 guidance Ready-to-progress criteria Previous experience Year 1 ready-to-progress criteria Future applications Begin to develop a sense of the number system by verbally counting forward to and beyond 20, pausing at each multiple of 10. 1NPV–1 Count within 100, forwards and backwards, starting with any number. Count through the number system. Place value within 100. Compare and order numbers. Add and subtract within 100. Play games that involve moving along a numbered track, and understand that larger numbers are further along the track. 1NPV–2 Reason about the location of numbers to 20 within the linear number system, including comparing using < > and = Reason about the location of larger numbers within the linear number system. Compare and order numbers. Read scales. Begin to experience partitioning and combining numbers within 10. 1NF–1 Develop fluency in addition and subtraction facts within 10. Add and subtract across 10. All future additive calculation. Add within a column during columnar addition when the column sums to less than 10 (no regrouping). Subtract within a column during columnar subtraction when the minuend of the column is larger than the subtrahend (no exchanging). Distribute items fairly, for example, put 3 marbles in each bag. Recognise when items are distributed unfairly. 1NF–2 Count forwards and backwards in multiples of 2, 5 and 10, up to 10 multiples, beginning with any multiple, and count forwards and backwards through the odd numbers. Recall the 2, 5 and 10 multiplication tables. Carry out repeated addition and multiplication of 2, 5, and 10, and divide by 2, 5 and 10. Identify multiples of 2, 5 and 10. Unitise in tens. Identify odd and even numbers. 17 Previous experience Year 1 ready-to-progress criteria Future applications Understand the cardinal value of number words, for example understanding that ‘four’ relates to 4 objects. Subitise for up to to 5 items. Automatically show a given number using fingers. 1AS–1 Compose numbers to 10 from 2 parts, and partition numbers to 10 into parts, including recognising odd and even numbers. Add and subtract within 10. Devise and record number stories, using pictures, numbers and symbols (such as arrows). 1AS–2 Read, write and interpret equations containing addition ( ), subtraction ( ) and equals ( ) symbols, and relate additive expressions and equations to real-life contexts. Represent composition and decomposition of numbers using equations. See, explore and discuss models of common 2D and 3D shapes with varied dimensions and presented in different orientations (for example, triangles not always presented on their base). 1G–1 Recognise common 2D and 3D shapes presented in different orientations, and know that rectangles, triangles, cuboids and pyramids are not always similar to one another. Describe properties of shape. Categorise shapes. Identify similar shapes. Select, rotate and manipulate shapes for a particular purpose, for example: rotating a cylinder so it can be used to build a tower rotating a puzzle piece to fit in its place 1G–2 Compose 2D and 3D shapes from smaller shapes to match an example, including manipulating shapes to place them in particular orientations. Find the area or volume of a compound shape by decomposing into constituent shapes. Rotate, translate and reflect 2D shapes. Identify congruent shapes. 18 1NPV–1 Count forwards and backwards within 100 Count within 100, forwards and backwards, starting with any number. 1NPV–1 Teaching guidance Counting to and across 100, forwards and backwards, is a skill that will need to be practised regularly throughout year 1. Counting provides a good opportunity to link number names to numerals, and to the position of numbers in the linear number system. Practice should include: reciting number names, without the support of visual representations, to allow pupils to focus on and develop fluency in the verbal patterns counting with the support of visual representations and gestural patterns, for example pupils can point to numerals on a 100 square or number line, or tap out the numbers on a Gattegno chart starting the counting sequence with numbers other than 1 or 100 Figure 3: 100 square Figure 4: 0 to 100 number line 19 Figure 5: Gattegno chart showing multiples of 1, 10, 100 and 1,000 It is important to draw pupils’ attention to structures in the number system, for example, linking 1, 2, 3, 4, 5… to 31, 32, 33, 34, 35…, and this can be supported by the use of the visual representations above. Because number names in English do not always reflect the structure of the numbers, pupils should also practise using dual counting, first counting with number names, and then repeating the count with words based on the number structures. Language focus “…seven, eight, nine, ten, eleven, twelve, thirteen… twenty, twenty-one, twenty-two…” “…seven, eight, nine, one-ten, one-ten-one, one-ten-two, one-ten-three… two-tens, two-tens-one, two-tens two…” When counting backwards, pupils often find it challenging to identify which number they should say after they have said a multiple of 10. A partially marked number line can be used for support. Figure 6: 0 to 100 number line to support backwards counting Counting backwards from 20 down to 10 requires additional focused practice, due to the irregularity of these number names. By the end of year 1, pupils must be able to count forwards and backwards, within 100, without visual aids. 20 Making connections Being able to count fluently, both forwards and backwards, is necessary for pupils to be able to reason about the location of numbers in the linear number system (1NPV–2) Sequencing in ones will extend to sequencing in multiples of 2, 5 and 10 (1NF–2). 1NPV–1 Example assessment questions Fill in the missing numbers. 8 9 11 12 37 38 40 42 43 63 62 60 58 57 Assessment guidance: To assess criterion 1NPV–1, teachers must listen to each pupil count. This can be done through specifically planned tasks, or by carefully watching and listening to an individual pupil during daily counting as part of class routines. 1NPV–2 Numbers to 20 in the linear number system Reason about the location of numbers to 20 within the linear number system, including comparing using < > and = 1NPV–2 Teaching guidance Pupils should be introduced to the number line as a representation of the order and relative size of numbers. Pupils should: begin to develop the ability to mentally visualise a number line, with consecutive whole numbers equally spaced along it draw number lines, with consecutive whole numbers equally spaced along them identify or place numbers up to 20 on marked and unmarked number lines Pupils should use efficient strategies and appropriate reasoning, including working backwards from a multiple of 10, to identify or place numbers on marked number lines. 21 Figure 7: identifying 5, 12 and 19 on a marked 0 to 20 number line Language focus “a is 5 because it is halfway between 0 and 10.” “b is 12 because it is 2 more than 10.” “c is 19 because it is one less than 20.” Pupils should also be able to estimate the value or position of numbers on unmarked number lines, using appropriate proportional reasoning, rather than counting on from a start point or back from an end point. Pupils should learn to estimate the value/position of a number relative to both ends of the number line, beginning with a 0 to 10 number line, then moving on to 0 to 20 and 10 to 20 number lines. When pupils are asked to mark all numbers on, for example, an unmarked 0 to 10 number line, they typically start at 1 and run out of space as they approach 10, and so bunch the larger numbers together. Pupils should learn to look at the full length of the number line and mark on the midpoint first. They should be able to reason about the location of numbers relative to both ends, and the midpoint, of a number line, for example, “16 is about here because it is just over halfway between 10 and 20.” Figure 8: placing 16 on an unmarked 0 to 20 number line There is no need for pupils to be completely accurate in their estimation of value or position of numbers. Rather they should make reasonable judgements that demonstrate they are developing proportional thinking. Pupils should use their knowledge of the position of the numbers 0 to 10 on a number line to help them to estimate the value or position of the numbers 10 to 20. Figure 9: placing 16 on an unmarked 10 to 20 number line 22 Making connections Being able to count fluently (1NPV–1), both forwards and backwards, is necessary for pupils to be able to reason about the location of numbers in the linear number system. 1NPV–2 Example assessment questions Label these numbers on the number line. 9 15 3 12 Estimate the value of the missing numbers. Mahmood is using 10cm paper strips to measure things in the classroom. a. How long do you think the eraser is? 23 b. How long do you think the pencil is? Images drawn to scale Mia measures 2 different leaves with a ruler. How long is each leaf? Images drawn to scale Assessment guidance: The example questions above can be set as a written task. However, teachers will need to watch pupils closely to assess wheher pupils are developing efficient strategies and appropriate proportional reasoning skills. Teachers should assess pupils in small groups. 24 1NF–1 Fluently add and subtract within 10 Develop fluency in addition and subtraction facts within 10. 1NF–1 Teaching guidance It is very important for pupils to be able to add and subtract within 10, fluently, by the end of year 1. This should be taught and practised until pupils move beyond counting forwards or backwards in ones, to more efficient strategies and eventually to automatic recall of these number facts. This is necessary before pupils move on to additive calculation with larger numbers. The 66 addition facts within 10 are shown on the grid below. The number of addition facts to be learnt is reduced when commutativity is applied and pupils recognise that 3 + 2, for example, is the same as 2 + 3. Pupils must also have automatic recall of the corresponding subtraction facts, for example 5 – 3 and 5 – 2. + 0 1 2 3 4 5 6 7 8 9 10 0 1 2 3 4 5 6 7 8 9 10 Pupils should learn to compose and partition numbers within 10 (1AS–1) before moving on to formal addition and subtraction. Although 1NF–1 (this criteiron) and 1AS–2 are presented as separate ready-to-progress criteria, they depend upon one another and should be developed, in tandem, throughout year 1. 25 As part of their work on 1AS–1, pupils are likely to already have memorised some number bonds within 10 (for example, number bonds to 5, to 10 and some doubles facts). However, at this stage, most pupils won’t remember all of their number facts by rote learning, so they should also be taught to derive additive facts within 10 from previously memorised facts or knowledge. Examples of appropriate strategies include the following. Example strategy 1: Example strategy 2: Language focus “I know that double 3 is equal to 6, so 4 plus 3 is equal to 7.” Figure 10: tens frames with counters showing derivation of a ‘near-double’ addition calculation Language focus “If I subtract 2 from an even number I get the previous even number, so 6 minus 2 is equal to 4.” Figure 11: tens frames with counters showing that subtracting 2 from an even number gives the previous even number Pupils need extensive practice to meet this criterion. You can find out more about fluency for addition and subtraction within 10 here in the calculation and fluency section: 1NF–1 Making connections Understanding how numbers within 10 can be composed and partitioned (1AS–1) underpins fluency in addition and subtraction facts within 10. Pupils need to be able carry out these calculations when they are presented as equations, and when they are presented as contextual word problems as described in 1AS–2. The 1NF–1 Example assessment questions below provide contextual problems only. 26 1NF–1 Example assessment questions I cycled 4km to get to my friend’s house, and then cycled another 3km with my friend. How far have I cycled? There are 9 children. 6 of them have scooters and the rest do not. How many of the children do not have scooters? Sarah had £6. Then she spent £3. How much money does she have left? I have 1 metre of red ribbon. I have 5 metres of blue ribbon. How many metres of ribbon do I have altogether? 1NF–2 Count forwards and backwards in multiples of 2, 5 and 10 Count forwards and backwards in multiples of 2, 5 and 10, up to 10 multiples, beginning with any multiple, and count forwards and backwards through the odd numbers. 1NF–2 Teaching guidance Pupils must be able to count in multiples of 2, 5 and 10 by the end of year 1 so that they are ready to progress to multiplication involving groups of 2, 5 and 10 in year 2. As with counting in ones, within 100 (1NPV–1 ), this is a skill that will need to be practised throughout year 1. As with 1NPV–1, forwards and backwards counting practice should include: reciting just the number names (for example, “ten, twenty, thirty…”), without the support of visual representations counting with the support of visual representations and gestural patterns, for example pupils can point to numerals on a number line or 100 square, or tap out the numbers on a Gattegno chart starting the forwards counting sequence with numbers other than 2, 5 or 10 The 100 square and Gattegno chart are provided in criterion 1NPV–1 in figures 1 and 3 respectively. Figure 12: number line to support counting in multiples of 2 Figure 13: number line to support counting in multiples of 10 27 Figure 14: number line to support counting in multiples of 5 When pupils are confident with the counting sequences, they should learn to enumerate objects arranged in groups of 2, 5 or 10 by skip counting, so they begin to connect counting in multiples with finding the total quantity for repeated groups. Pupils should first identify how many objects are in each repeated group, and then skip count in this number. They should leave year 1 understanding that when objects are grouped equally, it is more efficient to skip count than to count in ones. Recognising that a group of 5, for example, can be treated as a single unit is called unitising, and is the basis of multiplicative reasoning. Figure 15: counting in tens – 9 packs of 10 pencils Language focus “The pencils are in groups of 10, so we will count in tens.” Pupils should also practise counting in two ways: counting the total number of objects using skip counting, or counting the number of repeated groups. This will prepare pupils for multiplication and division in year 2. 28 Language focus “Ten, twenty, thirty…” “1 group of 10, 2 groups of 10, 3 groups of 10…” In time, shortened to: “1 ten, 2 tens, 3 tens…” Once pupils have learnt to recognise 2p, 5p and 10p coins, they should be expected to apply their knowledge of counting in multiples of 2, 5 and 10 to find the value of a set of like coins, and to find how many of a particular denomination is required to pay for a given item – see 1NF–2 (questions 6 and 7). Pupils should also learn to recite the odd number sequence, both forwards and backwards. This can initially be supported by a number line with odd numbers highlighted. Figure 16: number line to support counting through the odd number sequence Pupils need extensive practice to meet this criterion. You can find out more about fluency for counting in multiples of 2, 5 and 10 here in the calculation and fluency section: 1NF–2 Making connections The patterns and structure in the number system which pupils learn from counting in ones (1NPV–1) will prepare pupils for learning to count in multiples of 2, 5 and 10. In 1AS–1 pupils learn to identify odd and even numbers within 10. Counting in multiples of 2 (even numbers), and through the odd number sequence, demonstrates to pupils that the odd and even number patterns continue through the number system. 29 1NF–2 Example assessment questions Task: Provide each pupil with an even number of counters up to 20, then ask pupils to: a. put the counters into groups of 2 b. count in multiples of 2 find out how many counters there are These sticks are grouped into bundles of 10. How many sticks are there altogether? How many wheels are there altogether? Count in groups of 2. There are 5 hedgehogs in each group. How many hedgehogs are there altogether? There are 5 dots on each token. How many dots are there altogether? How much money is in each purse? 30 Task: Provide each pupil with 2p, 5p and 10p coins (real or otherwise), then ask pupils to show how to pay for: a. the drum with 2p coins b. the boat with 5p coins c. the dinosaur with 10p coins Assessment guidance: To assess whether pupils can recite the number sequences, teachers must listen to each pupil count. This can be done through specifically planned tasks, or by carefully watching and listening to an individual pupil during daily counting as part of class routines. The example questions and tasks above can be used to assess whether pupils can enumerate objects in groups of 2, 5 or 10. However, simply providing the correct answers to the example questions does not demonstrate that a pupil has met this part of the criterion – teachers should assess pupils in small groups to ensure that they are counting in multiples of 2, 5 or 10 rather than in ones. 1AS–1 Compose and partition numbers to 10 Compose numbers to 10 from 2 parts, and partition numbers to 10 into parts, including recognising odd and even numbers. 1AS–1 Teaching guidance Learning to ‘see’ a whole number and the parts within it at the same time is an important stage in the development of pupils’ understanding of number. Composing numbers (putting parts together to make a whole) underpins addition, and decomposing a number into parts (partitioning) underpins subtraction. Exploring different ways that a number can be partitioned and put back together again helps pupils to understand that addition and subtraction are inverse operations. Pupils should be presented with varied cardinal (quantity) representations, both concrete and pictorial, which support identification of the ‘numbers within a number’. The examples below provide different ways of showing that 8 can be composed from 2 numbers. The representations draw attention to the parts within the whole. 31 Figure 17: 8 represented as 3 fingers and 5 fingers Figure 18: 8 represented as 6 and 2 with base 10 number boards Figure 19: 8 represented as two 4-value dice Figure 20: 8 represented as 2 rows of 4 Figure 21: 8 represented as tally marks: 5 and 3 Figure 22: 8 represented on a bead string: 7 and 1 Pupils should learn to interpret and sketch partitioning diagrams to represent the ways numbers can be partitioned or combined. At this stage, these should be used alongside quantity images to support development of the understanding of quantity. Pupils should be able to relate the numerals in the partitioning diagrams to the quantities in images, and use the language of parts and wholes to describe the relationship between the numbers. Figure 23: using a partitioning diagram to represent 6 flags, consisting of 4 spotty flags and 2 stripy flags Language focus “There are 6 flags. 4 are spotty and 2 are stripy.” “6 is the whole. 4 is a part. 2 is a part.” 32 Pupils should also experience working with manipulatives and practise partitioning a whole number of items into parts, then putting the parts back together. They should understand that the total quantity is conserved. Pupils should repeatedly partition and recombine the whole, in different ways. Pupils should learn how to work systematically to partition each of the numbers to 10 into 2 parts. They should recognise that there is a finite number of ways that a given number can be partitioned. Pupils should pay attention to the patterns observed when working systematically, for example: in each step below, the value of one part increases by 1 and the value of the other part decreases by 1, while the whole remains the same number pairs are repeated, but with the values reversed, for example when 6 is the whole, the parts can be 2 and 4, or 4 and 2 (pupils must be able to identify what is the same and what is different between these two options; this lays the foundations for understanding the commutative property of addition) Pupils must be able to describe and understand these patterns. Figure 24: working systematically to partition 6 Once pupils have learnt to write addition and subtraction equations, they should use these to express the different ways that numbers can be composed and decomposed (see 1AS–2), for example: 6 2 4 6 4 2 6 4 2 6 2 4 33 Pupils should learn to recognise odd and even numbers, up to 10, based on whether they can be composed of groups of 2 or not. Base 10 number boards, or tens frames with counters shown arranged in twos, can be used to expose the structure of odd and even numbers. Figure 25: odd and even numbers up to 10 Making connections Composing and decomposing numbers within 10 can be expressed with addition and subtraction equations (1AS–2), and is the basis of fluency in addition and subtraction facts within 10 (1NF–1). Here, pupils learn to identify odd and even numbers, while in 1NF–2 they develop fluency in the odd and even number sequences through practising skip counting. 34 1AS–1 Example assessment questions Mother duck is in the water with her 6 ducklings. There are 2 ponds. How many ducklings could be in each pond? Fill in the missing numbers. a. b. 7 7 6 7 5 7 4 7 3 7 2 7 1 7 0 7 35 Task: Provide each pupil with a tens frame and counters in 2 colours, then ask pupils to use the manipulatives to answer questions such as the following. “I am holding 9 counters altogether. How many counters are there in my closed hand?” Underline the numbers that are in the wrong sorting circle. Write the missing numbers in these odd and even sequences. 1 3 9 2 6 10 Assessment guidance: The focus of this criterion is understanding that numbers can be composed from, and partitioned into, smaller numbers. Pupils are assessed separately on their fluency in number facts within 10, in criterion 1NF–1. Therefore manipulatives such as counters and tens frames, or counters and partitioning diagram templates, should be made available to pupils during assessment of this criterion so that the questions are not dependent on pupils’ emerging number facts fluency. Note that Example assessment question 2 relies on pupils having learnt to write and interpret addition and subtractions equations. This question should only be used to assess understanding of composition and partitioning after pupils have met criterion 1AS–2. 36 1AS–2 Read, write and interpret additive equations Read, write and interpret equations containing addition ( ), subtraction ( ) and equals ( ) symbols, and relate additive expressions and equations to real-life contexts. 1AS–2 Teaching guidance Pupils must learn to use the mathematical symbols , and . Expressions or equations involving these symbols should be introduced as a way to represent numerical situations and mathematical stories. An expression such as 3 5 should not be interpreted as asking “What is 3 5 ?” but, rather, as a way to represent the additive structures discussed below, either within a real-life context or within an abstract numerical situation. It is important that pupils do not think of the equals symbol as meaning ‘and the answer is’. They should instead understand that the expressions on each side of an equals symbol have the same value. All examples used to teach this criterion should use quantities within 10, and be supported by manipulatives or images, to ensure that pupils are able to focus on the mathematical structures and to avoid the cognitive load of having to work out the solutions. For each of the 4 additive structures described below (aggregation, partitioning, augmentation and reduction), pupils should learn to link expressions (for example, 5 2 and 6 – 2) to contexts before they learn to link equations (for example, 5 2 7 and 6 – 2 4 ) to contexts. For each case, pupils’ understanding should be built up in steps: Pupils should first learn to describe the context using precise language (see the language focus boxes below). Pupils should then learn to write the associated expression or equation. Pupils should then use precise language to describe what each number in the expression or equation represents. Pupils need to be able to write and interpret expressions and equations to represent aggregation (combining 2 parts to make 1 whole) and partitioning (separating 1 whole into 2 parts). 37 Figure 26: addition as aggregation Language focus “There are 5 flowers in one bunch. There are 2 flowers in the other bunch. There are 7 flowers altogether.” “We can write this as 5 plus 2 is equal to 7.” “The 5 represents the number of flowers in 1 bunch.“ “The 2 represents the number of flowers in the other bunch.” “The 7 represents the total number of flowers.” Pupils must understand that, in partitioning situations, the subtraction symbol represents a splitting up or differentiating of the whole. The problem “There are 6 children altogether. 2 children are wearing coats. How many are not wearing coats?” is represented by 6 – 2 4 . Here, the subtraction symbol represents the separation of the 2 children wearing coats, and so, the number of children not wearing coats is exposed. 38 Figure 27: subtraction as partitioning Language focus “There are 6 children altogether. 2 children are wearing coats. 4 children are not wearing coats.” “We can write this as 6 minus 2 is equal to 4.” “The 6 represents the total number of children.” “The 2 represents the number of children that are wearing coats.” “The 4 represents the number of children that are not wearing coats.” Pupils must also be able to write and interpret expressions and equations to represent augmentation (increasing a quantity by adding more) and reduction (decreasing a quantity by taking some away). Note that ‘take away’ should only be used to describe the subtraction operation in reduction contexts. Figure 28: addition as augmentation 39 Language focus “First 4 children were sitting on the bus. Then 3 more children got on the bus. Now 7 children are sitting on the bus.” “We can write this as 4 plus 3 is equal to 7.” “The 4 represents the number of children that were on the bus at the start.” “The 3 represents the number of children that got on the bus.” “The 7 represents the number of children that are on the bus now.” Figure 29: subtraction as reduction Language focus “First there were 4 children in the bumper car. Then 1 child got out. Now there are 3 children in the bumper car.” “We can write this as 4 minus 1 is equal to 3.” “The 4 represents the number of children that were in the car at the start.” “The 1 represents the number of children that got out of the car.” “The 3 represents the number of children that are in the car now.” In the course of learning to read, write and interpret addition and subtractions equations, pupils should also learn that equations can be written in different ways, including: 40 varying the position of the equals symbol (for example, 5 – 2 3 and 3 5 – 2 ) for addition, the addends can be written in either order and the sum remains the same (commutativity) Figure 30: aggregation or partitioning context: 5 cakes altogether, 2 with cherries and 3 without 2 3 5 5 2 3 3 2 5 5 3 2 5 – 3 2 2 5 – 3 5 – 2 3 3 5 – 2 Pupils must also learn to relate addition and subtraction contexts and equations to mathematical diagrams such as bar models, number lines, tens frames with counters, and partitioning diagrams. Figure 31: bar model and subtraction equation ( – 7 2 5 ) Figure 32: number line and addition equation (2 3 5 ) Figure 33: tens frame with counters and addition equation (3 1 4 ) Figure 34: cherry partitioning model and subtraction equation ( – 7 3 4 ) Making connections Once pupils have completed this criterion, they should represent the composition and partitioning of numbers to 10 (1AS–1) using addition and subtraction equations. This criterion and 1AS–1 provide the conceptual prerequisites for pupils to develop fluency in addition and subtraction within 10 (1NF–1). 41 1AS–2 Example assessment questions Write an equation to represent this story. First I had 6 balloons. Then 2 floated away. Now I have 4 balloons. Write an equation to represent this story. There are 2 apples. There are 3 oranges. Altogether there are 5 pieces of fruit. Which equation matches the picture? Can you explain your choice? 3 + 3 = 6 8 = 4 + 3 4 = 3 + 1 4 + 3 = 7 Holly looks at this picture. She writes 4 –1 3 . Explain how Holly’s equation represents the picture. Write an equation to represent this picture. Explain how your equation matches the picture. 42 Assessment guidance: For pupils to meet this criterion, they need to demonstrate mastery of the structures. Correct calculation of the solutions to calculations is not required (this is assessed in 1NF–1). Where a question requires pupils to explain their reasoning, this should be done verbally. 1G–1 Recognise common 2D and 3D shapes Recognise common 2D and 3D shapes presented in different orientations, and know that rectangles, triangles, cuboids and pyramids are not always similar to one another. 1G–1 Teaching guidance Pupils need a lot of experience in exploring and discussing common 2D and 3D shapes. In the process, they should learn to recognise and name, at a minimum: rectangles (including squares), circles, and triangles cuboids (including cubes), cylinders, spheres and pyramids Pupils need to be able to recognise common shapes when they are presented in a variety of orientations and sizes and relative proportions, including large shapes outside the classroom (such as a rectangle marked on the playground or a circle on a netball court). Pupils should be able to describe, using informal language (for example, “long and thin”), the differences between non-similar examples of the same shapes, and recognise that these are still examples of the given shape. Figure 35: non-similar cylinders Pupils should practise distinguishing a given named shape type from plausible distractors. These activities should involve exploring shapes (for example, shapes cut from card) rather than only looking at pictures. 43 Figure 36: distinguishing triangles from plausible distractors Language focus Shape a: “This is not a triangle because it has 4 sides.” Shape b or e: “This is a triangle because it has 3 straight sides.” Shape c or d: “This is not a triangle because it has 6 sides.” Shape f: “This is not a triangle because some sides are curved.” Making connections Categorising examples and non-examples (for example, determining which shapes are triangles and which are not) is an important mathematical skill. Pupils should be developing this skill here and in other contexts, such as in 1AS–1, where they categorise numbers according to whether they are even or not even. 1G–1 Example assessment questions Task: Lay out a selection of 3D shapes, then ask “Can you find 3 different cuboids?” Task: Lay out a selection of 2D shapes that include triangles and plausible distractors, and other 2D shapes, then instruct pupils to choose 3 shapes as follows: a triangle a shape that reminds you of a triangle but is not one a shape which is nothing like a triangle Task: Lay out a selection of shapes, hold up one of them, and ask: “I wonder whether this shape is a rectangle. What do you think?” “Can you find a shape which is a rectangle?” (if the original shape is not a rectangle) 44 Task: Lay out a selection of shapes, hold up a cylinder, and instruct pupils to find another shape which “ is a bit like this one”. Ask pupils to explain their reasoning. Assessment guidance: Practical work, carried out in small groups, provides the most reliable method of assessing whether pupils have met this criterion. Teachers should assess pupils based, not just on their answers, but on the reasoning they use to reach their answers, for example, in question 4, a pupil may choose a cone because “it has a circle too”. When selecting shapes, careful attention should be paid to providing plausible distractors to allow assessment of reasoning. Pupils may use informal language, especially when discussing plausible distractors, for example, the shape presented in question 3 could be a parallelogram, which pupils could describe as being “a bit like a rectangle, but squashed.” Ask pupils to explain why they chose that one. 1G–2 Compose 2D and 3D shapes from smaller shapes Compose 2D and 3D shapes from smaller shapes to match an example, including manipulating shapes to place them in particular orientations. 1G–2 Teaching guidance The ability to compose and decompose shapes, and see shapes within shape, is a skill which runs through to key stage 3 and key stage 4, and beyond. In year 1, it is vital that pupils work practically, exploring shapes (for example, shapes cut from card, pattern blocks and tangrams) and putting them together to make new shapes. Pupils must be able to arrange 2D shapes to match an example compound shape. To begin with, the constituent shapes in a given example image should be the same size and colour as the actual shapes that pupils are using. This allows pupils to begin by laying the pieces over the example image, rotating individual pieces to match the exemplars. By the end of year 1, though, pupils should be able to copy a pattern block picture, and make a good attempt at copying a tangram picture, without overlaying the pieces on the example. Figure 37: example pattern block picture Figure 38: example tangram picture 45 Tangrams are more challenging to complete than pattern block pictures because: they contain several different-sized triangles, which pupils must distinguish from one another to complete the task placement of the parallelogram may require pupils to turn it over rather than just rotate it Pupils must also be able to arrange 3D shapes to match an example compound shape, for example joining a given number of multilink blocks to match an example. As a first step pupils can each make their own shape from a given number of blocks, and then compare the different shapes that have been made. Comparing compound shapes, and identifying the ones that are the same, will require pupils to rotate the shapes in various directions, and provides an opportunity to develop spatial language including: left, right, top, middle, bottom, on top of, below, in front of, behind and between. Figure 39: example compound 3D shapes composed of cubes Pupils must also learn to copy compound shapes composed of other 3D shapes, including cuboids, cylinders, spheres and pyramids. Figure 40: example compound shape composed of 4 different 3D shapes Making connections In 1AS–1, pupils learn to compose and decompose numbers to 10. Here children are using composition and decomposition in the context of shapes, recognising that shapes can be combined to form a larger shape and decomposed to return to the original shapes. 46 1G–2 Example assessment questions Task: Give each pupil some multilink cubes. Present pupils with a shape composed of multilink cubes and ask them to copy it. Task: Give each pupils some pattern block pieces. Present pupils with a pattern block picture and ask them to copy it. Task: Give each pupil some building blocks. Build a tower from different-shaped building blocks, then ask pupils to copy it . Task: Give each pupil a set of identical 2D shapes (for example, equilateral triangles of equal size). Make a pattern from the set of identical shapes and ask pupils to copy it. Assessment guidance: Practical work, carried out in small groups, provides the most reliable method of assessing whether pupils have met this criterion. Teachers should carefully watch pupils to assess their ability to rotate shapes to match those within the patterns, pictures and arrangements, and to place shapes relative to other shapes. Calculation and fluency 1NF–1 Fluently add and subtract within 10 Develop fluency in addition and subtraction facts within 10. The main addition and subtraction calculation focus in year 1 is developing fluency in additive facts within 10, as outlined in the 1NF–1 Teaching guidance Fluency in these facts allows pupils to more easily master addition and subtraction with 2-digit numbers in year 2, and underpins all future additive calculation. Pupils should practise carrying out addition and subtraction calculations, and working with equations in different forms, such as those below, until they achieve automaticity. Pupils should begin to recognise the inverse relationship between addition and subtraction, and use this to calculate. For example, if a pupil knows 6 4 10 , then they should be able to reason that 10 – 4 6 and 10 – 6 4 . 47 Pupils should also be expected to solve contextual addition and subtraction calculations with the 4 structures described in 1AS–2 (aggregation, partitioning, augmentation and reduction), for calculation within 10. 5 2 6 4 1 8 3 4 5 8 1 7 6 2 10 5 8 7 7 2 6 3 9 5 3 4 9 7 3 5 2 10 Pupils will need extensive practice, throughout the year, to achieve the fluency required to meet this criterion. 1NF–2 Count forwards and backwards in multiples of 2, 5 and 10 Count forwards and backwards in multiples of 2, 5 and 10, beginning with any multiple, and count forwards and backwards through the odd numbers. Pupils must be fluent in counting in multiples of 2, 5 and 10 by the end of year 1. Although this is the basis of multiplication and division by 2, 5, and 10, pupils do not need to be introduced to the words ‘multiplication’ and ‘division’ or to the multiplication and division symbols ( and ) in year 1, and are not expected to solve calculations presented as written equations. However, through skip counting (using practical resources, images such as number lines, or their fingers) pupils should begin to solve contextual multiplication and quotitive division problems, involving groups of 2, 5 or 10, for example: “I have four 5p coins. How much money do I have altogether?” “There are 10 apples in each bag. How many bags do I need to have 60 apples?” Pupils will need extensive practice, throughout the year, to achieve the fluency required to meet this criterion. 48 Year 2 guidance Ready-to-progress criteria Year 1 conceptual prerequesites Year 2 ready-to-progress criteria Future applications Know that 10 ones are equivalent to 1 ten. Know that multiples of 10 are made up from a number of tens, for example, 50 is 5 tens. 2NPV–1 Recognise the place value of each digit in two-digit numbers, and compose and decompose two-digit numbers using standard and non-standard partitioning. Compare and order numbers. Add and subtract using mental and formal written methods. Place the numbers 1 to 9 on a marked, but unlabelled, 0 to 10 number line. Estimate the position of the numbers 1 to 9 on an unmarked 0 to 10 number line. Count forwards and backwards to and from 100. 2NPV–2 Reason about the location of any two-digit number in the linear number system, including identifying the previous and next multiple of 10. Compare and order numbers. Round whole numbers. Subtract ones from a multiple of 10, for example: Develop fluency in addition and subtraction facts within 10. 2NF–1 Secure fluency in addition and subtraction facts within 10, through continued practice. All future additive calculation. Add within a column during columnar addition when the column sums to less than 10 (no regrouping). Subtract within a column during columnar subtraction when the minuend of the column is larger than the subtrahend (no exchanging). 49 Year 1 conceptual prerequesites Year 2 ready-to-progress criteria Future applications Learn and use number bonds to 10, for example: Partition numbers within 10, for example: 2AS–1 Add and subtract across 10, for example: Add and subtract within 100: add and subtract any 2 two-digit numbers, where the ones sum to 10 or more, for example: Use knowledge of unitising to add and subtract across other boundaries, for example: Add within a column during columnar addition when the column sums to more than 10 (regrouping), for example, for: Subtract within a column during columnar subtraction when the minuend of the column is smaller than the subtrahend (exchanging), for example, for: Solve missing addend problems within 10, for example: 2AS–2 Recognise the subtraction structure of ‘difference’ and answer questions of the form, “How many more…?”. Solve contextual subtraction problems for all three subtraction structures (reduction, partitioning and difference) and combining with other operations. Add and subtract within 10, for example: Know that a multiple of 10 is made up from a number of tens, for example, 50 is 5 tens. 2AS–3 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract only ones or only tens to/from a two-digit number. Add and subtract using mental and formal written methods. 50 Year 1 conceptual prerequesites Year 2 ready-to-progress criteria Future applications Add and subtract within 10. Know that a multiple of 10 is made up from a number of tens, for example, 50 is 5 tens. 2AS–4 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract any 2 two-digit numbers. Add and subtract numbers greater than 100, recognising unitising, for example: so Count in multiples of 2, 5 and 10. 2MD–1 Recognise repeated addition contexts, representing them with multiplication equations and calculating the product, within the 2, 5 and 10 multiplication tables. Use multiplication to represent repeated addition contexts for other group sizes. Memorise multiplication tables. Count in multiples of 2, 5 and 10 to find how many groups of 2, 5 or 10 there are in a particular quantity, set in everyday contexts. 2MD–2 Relate grouping problems where the number of groups is unknown to multiplication equations with a missing factor, and to division equations (quotitive division). Division with other divisors. Recognise common 2D and 3D shapes presented in different orientations. 2G–1 Use precise language to describe the properties of 2D and 3D shapes, and compare shapes by reasoning about similarities and differences in properties. Identify similar shapes. Describe and compare angles. Draw polygons by joining marked points Identify parallel and perpendicular sides. Identify regular polygons Find the perimeter of regular and irregular polygons. Compare areas and calculate the area of rectangles (including squares) using standard units. Compare areas and calculate the area of rectangles (including squares) using standard units. 51 2NPV–1 Place value in two-digit numbers Recognise the place value of each digit in two-digit numbers, and compose and decompose two-digit numbers using standard and non-standard partitioning. 2NPV–1 Teaching guidance Pupils need to be able to connect the way two-digit numbers are written in numerals to their value. They should demonstrate their reasoning using full sentences. Language focus “This is the number 42. The 4 shows we have 4 groups of ten. The 2 shows we have 2 extra ones.” Pupils should recognise that 42, for example, can be composed either of 42 ones, or of 4 tens and 2 ones. They should be able to group objects into tens, with some left over ones, to count efficiently and to demonstrate an understanding of the number. Pupils need to be capable of identifying the total quantity in different representations of groups of ten and additional ones. Within these representations the relative positions of the tens and the ones should be varied. Figure 41: varied representations of two-digit numbers as groups of ten and additional ones Pupils need to be able to partition two-digit numbers into tens and ones parts, and represent this using diagrams, and addition and subtraction equations. Figure 42: partitioning 28 into 20 and 8 20 8 28 28 20 8 8 20 28 28 8 20 28 20 8 8 28 20 28 8 20 20 28 8 52 It is also important for pupils to be able to think flexibly about number, learning to: partition into a multiple of ten and another two-digit number, in different ways (for example, 68 can be partitioned into 50 and 18, into 40 and 28, and so on) partition into a two-digit number and a one-digit number, in different ways (for example, 68 can be partitioned into 67 and 1, 66 and 2, and so on) Making connections Learning about place value should include connections with addition and subtraction in the form of partitioning two-digit numbers according to tens and ones, and writing associated additive equations. Pupils should also partition two-digit numbers in ways other than according to place value to prepare them to solve addition and subtraction calculations involving two-digit numbers. 2NPV–1 Example assessment questions Daisy has used 10cm rods and 1cm cubes to measure the length of this toy boat. How long is the boat? What is the total value of these coins? Monika watches a cartoon for 20 minutes and a news programme for 5 minutes. How long does she watch television for? Fill in the missing numbers. 47 7 8 60 Jed collects 38 conkers and gives 8 of them to Dylan. How many conkers does Jed have left? 53 2NPV–2 Two-digit numbers in the linear number system Reason about the location of any two-digit number in the linear number system, including identifying the previous and next multiple of 10. 2NPV–2 Teaching guidance Pupils need to be able to identify or place two-digit numbers on marked number lines. They should use efficient strategies and appropriate reasoning, including working backwards from a multiple of 10. Figure 43: identifying 36 and 79 on a marked 0 to 100 number line Language focus “a is 36 because it is one more than the midpoint of 35.” “b is 79 because it is one less than 80.” Pupils should also be able to estimate the value or position of two-digit numbers on unmarked numbers lines, using appropriate proportional reasoning, rather than counting on from a start point or back from an end point. For example, here pupils should reason: “60 is about here on the number line because it’s just over half way”. Figure 44: placing 60 on an unmarked 0 to 100 number line To prepare for future work on rounding, pupils should also learn to identify which 2 multiples of 10 a given two-digit number is between. 54 2NPV–2 Example assessment questions Look at lines A, B and C. Estimate how long they are by comparing them to the 100cm lines? The table shows the results of a survey which asked pupils to choose their favourite sport. Which sports were chosen by between 20 and 30 pupils? Favourite sport Number of pupils netball 24 basketball 19 tennis 12 football 32 hockey 6 swimming 28 gymnastics 15 Sophie thinks of a number. She says, “My number is between 40 and 50. It has 7 in the ones place.” What is Sophie’s number? Estimate the position of 60 on this number line: 55 The bar chart shows the number of pupils in each year-group in a school. How many pupils are in year 1? Fill in the missing numbers. 2NF–1 Fluently add and subtract within 10 Secure fluency in addition and subtraction facts within 10, through continued practice. 2NF–1 Teaching guidance In year 1, pupils should have learnt to add and subtract fluently within 10 (1NF–1). However, pupils may not still be fluent by the beginning of year 2, so this fluency should now be secured and maintained. Pupils should practise additive calculation within 10 until they have automatic recall of the additive facts. Fluency in these facts is required for pupils to succeed with addition and subtraction across 10 (2AS–1) and for additive calculation with larger numbers (2AS–3 and 2AS–4). The 66 addition facts within 10 are shown on the grid below. The number of addition facts to be learnt is reduced when commutativity is applied and pupils recognise that 3 + 2, for example, is the same as 2 + 3. Pupils must also have automatic recall of the corresponding subtraction facts, for example 5 – 3 and 5 – 2. 56 + 0 1 2 3 4 5 6 7 8 9 10 0 1 2 3 4 5 6 7 8 9 10 Making connections Fluency in these addition and subtraction facts is required for addition and subtraction across 10 (2AS–1) and for additive calculation with larger numbers (2AS–3 and 2AS–4). 2NF–1 Assessment guidance Assessment guidance: For pupils to have met criterion 2NF–1, they need to be able to add and subtract within 10 without counting forwards or backwards in ones on their fingers, on a number line or in their heads. Pupils need to be able to automatically recall the facts. Teachers should assess pupils in small groups – simply providing the correct answers to calculations in a written test does not demonstrate that a pupil has met the criterion. 57 2AS–1 Add and subtract across 10 Add and subtract across 10, for example: 8 5 13 13 – 5 8 2AS–1 Teaching guidance Pupils need to have a strategy for confidently and fluently carrying out calculations such as: 7 5 12 15 – 9 6 For both addition and subtraction across 10, tens frames and partitioning diagrams can be used to support pupils as they learn about these strategies. First, pupils should learn to add three one-digit numbers by making 10, for example, 7 3 2 10 2 . They can then relate this to addition of two numbers across 10, by partitioning one of the addends, for example 7 5 7 3 2. Figure 45: tens frames with counters, and a partitioning diagram, showing 7 5 12 Pupils can subtract across 10 by using: the ‘subtracting through 10’ strategy (partitioning the subtrahend) – part of the subtrahend is subtracted to reach 10, then the rest of the subtrahend is subtracted from 10 58 or the ‘subtracting from 10’ strategy (partitioning the minuend) – the subtrahend is subtracted from 10, then the difference between the minuend and 10 is added Figure 46: using the ‘subtracting through 10’ strategy to calculate 15 minus 9 Figure 47: using the ‘subtracting from 10’ strategy to calculate 15 minus 9 You can find out more about fluency and recording for these calculations here in the calculation and fluency section: 2AS–1 Making connections This criterion depends on criterion 2NPV–1 where, as part of composing numbers according to place value, pupils learnt to: add a ten and some ones to make numbers between 11 and 19, for example: subtract the ones from a number between 11 and 19 to make 10, for example: 59 2AS–1 Example assessment questions Amisha spends £5 on a book and £8 on a T-shirt. How much does she spend altogether? I have a 15cm length of ribbon. I cut off 6cm. How much ribbon is left? I have 17 pencils. 9 have been sharpened. How many have not been sharpened? A garden fence was 8m long. Then the gardener added 7 more metres of fencing. How long is the garden fence now? Assessment guidance: For pupils to have met criterion 2AS–1, they need to be able to add and subtract across 10 without counting forwards or backwards in ones on their fingers, on a number line or in their heads. Teachers should assess pupils in small groups – simply providing the correct answers to the example questions above does not demonstrate that a pupil has met the criterion. The full set of addition and subtraction facts which children need to be fluent in is shown in the appendix. 2AS–2 Solve comparative addition and difference problems Recognise the subtraction structure of ‘difference’ and answer questions of the form, “How many more…?”. 2AS–2 Teaching guidance Pupils need to be able to solve problems with missing addends using known number facts or calculation strategies, for example: 19 25 Pupils need to be able to recognise problems about difference, and relate them to subtraction. For example, they should understand that they need to calculate 3 5 or 5 3 to solve the problem: There are 5 red cars and 3 blue cars. What is the difference between the number of red cars and blue cars? 60 Figure 48: finding the difference – bar model and number line Pupils should be able to recognise contextual problems involving finding a difference, phrased as ‘find the difference’, ‘how many more’ and ‘how many fewer’, such as those shown in the 2AS–2 below. Pupils may solve these problems by relating them to either a missing addend equation or to subtraction, applying known facts and strategies. 61 2AS–2 Example assessment questions The bar chart shows how many points some pupils scored in a quiz. a. How many more points did John score than Sara? b. How many fewer points did Harry score than Saskia? c. What is the difference between Saskia’s score and Paul’s score? I have £19 and want to buy a game which costs £25. How much more money do I need? Felicity has 34 marbles and Dan has 30 marbles. What is the difference between the number of marbles they have? It takes me 20 minutes to walk to school. So far I have been walking for 12 minutes. How much longer do I have to walk for? Liam is 90cm tall. Karim is 80cm tall. How much taller is Liam than Karim? 62 2AS–3 Add and subtract within 100 – part 1 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract only ones or only tens to/from a two-digit number. 2AS–3 Teaching guidance Pupils should be able to apply known one-digit additive facts to: adding and subtracting 2 multiples of ten (for example, 40 30 70 and 70 – 30 40) adding and subtracting ones to/from a two-digit number (for example, 64 3 67 and 67 – 3 64) adding and subtracting multiples of ten to/from a two-digit number (for example, 45 30 75 and 75 – 30 45) the special case of subtracting ones from a multiple of ten, by using complements of 10 (for example 30 – 3 27) Tens frames, Dienes and partitioning diagrams can be used to support pupils as they learn how to relate these calculations to one-digit calculations. Figure 49: Dienes and equations to support adding a multiple of 10 to a two-digit number 63 Figure 50: tens frames with counters, and number lines, to support subtracting ones from a multiple of 10 Throughout, pupils should use spoken language to demonstrate their reasoning. Language focus “4 plus 3 is equal to 7. So 4 tens and plus 3 tens is equal to 7 tens.” “10 minus 3 is equal to 7. So 30 minus 3 is equal to 27.” Pupils should also be able to apply strategies for addition or subtraction across 10, from above, to addition or subtraction bridging a multiple of 10. You can find out more about fluency and recording for all of these calculation types here in the calculation and fluency section: 2AS–3 Making connections Learning to subtract ones from a multiple of 10 should be connected to pupils’ understanding of the location of two-digit numbers in the linear number system, for example pupils understand that 27 is 3 ‘before’ 30, so . 64 2AS–3 Example assessment questions A bouncy ball costs 60p. Circle the coins which you could use to pay for it. Is there more than one answer? Sophie’s book has 50 pages. So far she has read 9 pages. How many more pages does Sophie have left to read? 65 What is the total cost of: a. the bedtime stories book and the train set? b. the doll’s house and the plane? c. the scooter and the teddy? d. the boat, the train set and the drum? Oak class raise £68 for their class fund. They spend £40 on new paints. How much money do they have left? Assessment guidance: Simply providing the correct answers to the example questions above does not demonstrate that pupils have met criterion 2AS–3. For pupils to meet the criterion, they must be able to use known addition and subtraction facts within 10 to solve the calculations efficiently. Before using the questions above, assess pupils in small groups by watching how they solve calculations such as: 40 30 90 – 40 31 5 48 – 6 20 59 72– 30 46 4 80 3 Language focus “I know that 2 plus 5 is equal to 7, so 20 plus 50 is equal to 70. There are 9 ones as well, so 20 plus 59 is equal to 79.” Pupils who are using extensive written notes (for example, sketching ‘jumping back’ in tens on a number line as a way to solve 90 – 40) have not yet met criterion 2AS–3. 66 2AS–4 Add and subtract within 100 – part 2 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract any 2 two-digit numbers. 2AS–4 Teaching guidance As for 2AS–3, Dienes and partitioning diagrams can be used to support pupils as they learn about strategies for carrying out these calculations. To add 2 two-digit numbers, pupils need to combine one-digit addition facts with their understanding of two-digit place value. Pupils should first learn to add 2 multiples of ten and 2 ones before moving on to the addition of 2 two-digit numbers, for example: 40 20 5 3 60 8 68 40 5 20 3 60 8 68 45 23 60 8 68 Figure 51: Dienes and an equation to support adding 2 two-digit numbers Language focus “First I partition both numbers. Then I add the tens. Then I add the ones. Then I combine all of the tens and all of the ones.” Pupils can then learn to be more efficient, by partitioning just one addend, for example: 45 23 45 20 3 65 3 When pupils learn to subtract one two-digit number from another, the progression is similar to that for addition. Pupils can first learn to subtract a multiple of ten and some ones from a two-digit number, and then connect this to the subtraction of one two-digit number from another, for example: 67 45 – 20 – 3 25 – 3 22 45 – 23 45 – 20 – 3 25 – 3 22 or 45 – 3 – 20 42 – 20 22 45 – 23 45 – 3 – 20 42 – 20 22 There is an important difference compared to the addition strategy: pupils should not partition both two-digit numbers for subtraction as this can lead to errors, or calculations involving negative numbers, when bridging a multiple of 10, for example: 63 –17 60 –10 7 – 3 63 –17 60 –10 3 – 7 You can find out more about fluency and recording for addition and subtraction of two-digit numbers here in the calculation and fluency section: 2AS–4 Making connections Pupils should also be able to apply strategies for addition or subtraction across 10 (2AS–1) to calculations such as and . 68 2AS–4 Example assessment questions a. Daisy spends £32 in the shop. Circle the 2 items she buys. b. What is the total cost of the bicycle and construction set? c. Jalal pays for the bicycle using a £50 note. How much change does he get? d. Yu Yan wants to buy the construction set. She has saved £15. How much more money does Yu Yan need to save? 69 2MD–1 Multiplication as repeated addition Recognise repeated addition contexts, representing them with multiplication equations and calculating the product, within the 2, 5 and 10 multiplication tables. 2MD–1 Teaching guidance Pupils must first be able to recognise equal groups. To better understand and identify equal groups, pupils should initially explore both equal and unequal groups. Pupils should then learn to describe equal groups with words. Figure 52: recognising equal groups – 3 groups of 5 eggs Language focus “There are 3 equal groups of eggs.” “There are 5 eggs in each group.” “There are 3 groups of 5.” Based on their existing additive knowledge, pupils should be able to represent equal-group contexts with repeated addition expressions, for example 5 5 5. They should then learn to write multiplication expressions to represent the same contexts, for example 3 5 . Pupils must be able to explain how each term in a multiplication expression links to the context it represents. Pupils must also be able to understand equivalence between a repeated addition expression and a multiplication expression: 5 5 5 3 5. Pupils should then learn to calculate the total number of items (the product), for contexts based on the 2, 5 and 10 multiplication tables, initially by skip counting. They should be able to write complete multiplication equations, for example , and explain how each term links to the context. 3 5 15 70 Language focus “The 3 represents the number of groups.” “The 5 represents the number of eggs in each group.” “The 15 represents the total number of eggs.” Pupils should be able to relate multiplication to situations where the total number of items cannot be seen, for example by representing 3 5 with three 5-value counters. Figure 53: three 5-value counters You can find out more about fluency and recording for the 2, 5 and 10 multiplication tables here in the calculation and fluency section: 2MD–1. Making connections Pupils must be able to write and solve addition problems with 3 or more addends before they can connect repeated addition to multiplication. 2MD–1 Example assessment questions Write these addition expressions as multiplication expressions. The first one has been completed for you. 5 5 5 5 5 5 5 2 2 2 2 2 __ 2 2 2 __ 10 10 10 __ There are 7 year-groups in Winterdale School. Each year-group has 2 classes. How many classes are in the school? Sally buys 3 cinema tickets. Each ticket costs £5. How much does Sally spend? Write the multiplication expression and calculate the cost. 71 There are 10 children sitting at each table in a dining hall. There are 8 tables. How many children are there? The pictogram shows how many socks each child has. How many socks does Asif have? Write a story to go with this equation. 6 10 60 Complete the calculations. 7 5 10 4 9 2 72 2MD–2 Grouping problems: missing factors and division Relate grouping problems where the number of groups is unknown to multiplication equations with a missing factor, and to division equations (quotitive division). 2MD–2 Teaching guidance Pupils need to be able to represent problems where the total quantity and group size is known, using multiplication equations with missing factors. For example, “There are 15 biscuits. If I put them into bags of 5, how many bags will I need?’’ can be represented by the following equation: 5 15 Pupils can use skip counting or their emerging 2, 5 and 10 multiplication table fluency to calculate the missing factor. Figure 54: 3 bags of 5 biscuits alongside three 5-value counters Pupils should then learn that unknown-factor problems can also be represented with division equations (quotitive division), for example, 15 5 .They should be able to use skip counting or their multiplication-table fluency to find the quotient: 15 5 3. Pupils should be able to describe how each term in the division equation links to the context and describe the division equation in terms of ‘division into groups’. Language focus “The 15 represents the total number of biscuits.” “The 5 represents the number of biscuits in each bag.” “The 3 represents the number of bags.” “15 divided into groups of 5 is equal to 3.” 73 Pupils also need to be able to solve division calculations that are not set in contexts. They should recognise that they need to skip count in the divisor (2, 5 or 10), or use the associated multiplication fact, to find the quotient. For example, to calculate 60 10, they can skip count in tens (counting the required number of tens) or apply the fact that 6 10 60 . You can find out more about fluency and recording for division by 2, 5 or 10 here in the calculation and fluency section: 2MD–2 2MD–2 Example assessment questions Miss Robinson asked Harry to get 60 apples from the kitchen. The apples come in bags of 10. How many bags does Harry need to get? Diego has some 5p coins. He has 40p altogether. How many 5p coins does Diego have? The pictogram shows how many socks each child has. Lena has 8 socks. How would this be represented on the pictogram? Draw it. There are 5 balloons in a pack. I need 15 balloons for my party. How many bags should I buy? Fill in the missing numbers. 5 30 50 10 2 14 74 2G–1 Describe and compare 2D and 3D shapes Use precise language to describe the properties of 2D and 3D shapes, and compare shapes by reasoning about similarities and differences in properties. 2G–1 Teaching guidance Building on 1G–1, pupils should continue to explore and discuss common 2D and 3D shapes, now extending to include quadrilaterals and other polygons, and cuboids, prisms and cones. Pupils must now learn to use precise language to describe 2D shapes, including the terms ’sides’ and ‘vertex’/’vertices’. They should learn to identify the sides of a given 2D shape and to identify a vertex as a point where two sides meet. Pupils must learn that a polygon is a 2D shape which has only straight sides and then learn to identify a given polygon by counting the number sides (or vertices). Pupils should practise running their finger along each side as they count the sides (or practise touching each vertex as they count the vertices). Later, pupils may mark off the sides or vertices on an image as they count. It is important that they learn to count the sides/vertices accurately, counting each once and only once. Pupils must know that it is the number of sides/vertices that determines the type of polygon, rather than whether the given shape looks like their mental image of a particular polygon. For example, although pupils may informally describe the shape below as “like a square with 2 corners cut off”, they should be able to recognise and explain that, because it has 6 straight sides, it is a hexagon. Figure 55: an irregular hexagon Language focus “This shape is a hexagon because it has exactly 6 straight sides.” When discussing 3D shapes, pupils should be able to correctly use the terms ‘edges’, ‘vertex’/‘vertices’ and ‘faces’. Pupils need to be able to accurately count the number of edges, vertices and faces for simple 3D shapes, such as a triangular-based pyramid or a cuboid, using sticky paper (if necessary) to keep track of the edges/vertices/faces as they count. Pupils should be able to identify the 2D shapes that make up the faces of 3D 75 shapes, including identifying pyramids according to the shape of their base (‘square-based’ and ‘triangle-based’). Pupils should gain experience describing and comparing standard and non-standard exemplars of polygons. They should explore shapes (for example, shapes cut from card) rather than only looking at pictures. Examples of irregular polygons should not be restricted to those where every side-length is different and every internal angle is a different size. Examples should include polygons in which: some side-lengths are equal some internal angles are equal there are a variety of sizes of internal angles (acute, right angled, obtuse and/or reflex) there are pairs of parallel and perpendicular sides Figure 56: a variety of different pentagons (regular and irregular) Language focus “These shapes are all pentagons because they all have exactly 5 straight sides.” Pupils don’t need to be able to identify or name angle types or parallel/perpendicular sides in year 2, but it is important that they gain visual experience of them as preparation for identifying and naming them in key stage 2. In a similar way, pupils should gain experience describing and comparing a wide variety of 3D shapes including cuboids (and cubes), prisms, cones, pyramids, spheres and cylinders. Pupils should explore shapes practically as well as looking at pictures. Pupils should also explore and discuss regular polyhedrons such as octahedrons and dodecahedrons, although year 2 pupils do not need to remember the names of these shapes. As well as discussing sides and vertices (as a precursor to evaluating perimeter and angle), pupils should begin to use informal language to discuss and compare the space inside 2D shapes (as a precursor to evaluating area). Pupils should be able to reason about the shape and size of the space inside a 2D shape, relative to other 2D shapes, using language such as ‘long and thin’, ‘short and wide’, ‘larger and ‘smaller’. 76 2G–1 Example assessment questions How many sides does this shape have? What is the name of this shape? Sketch a hexagon. Try to think of a hexagon that will look different to those drawn by other pupils. Task: Lay out a selection of 3D shapes, then instruct pupils to find a shape that has: a. fewer than 5 edges b. more than 5 faces c. exactly 1 vertex d. all faces the same shape e. no flat faces f. no straight edges g. both a square face and a triangular face a. Circle all of the octagons. b. Explain why the shapes you have not circled are not octagons. Task: Present pupils with a cylinder and a cone (the 3D shapes rather than pictures), then instruct pupils to: a. describe something that is the same about the 2 shapes b. describe something that is different about the 2 shapes Task: Lay out a selection of 3D shapes, then ask pupils to identify all of the shapes that have a square face. 77 Here are 4 rectangles. Which do you think is the largest rectangle? Which do you think is the smallest rectangle? If each rectangle was a slice of your favourite food, which one would you choose to have? Which of the shapes B to H are exactly the same shape as shape A, but just a different size? Assessment guidance: Practical work, carried out in small groups, should form part of the assessment of this criterion. For question 3, pupils must be able to name common 3D shapes, but do not need to be able to name every shape they might select to fulfil the required criteria. For questions 7 and 8, assessment should be discussion based – pupils need not necessarily provide a ‘correct’ answer, but should demonstrate an emerging sense of the size and shape of the space within 2D shapes. For question 8, for example, some pupils may say that shape F is the same shape as A but just stretched, and some pupils may say that F is a different shape to A because F is “long and thin” and A is “shorter and fatter”: both of these answers would show that pupils are developing awareness of the overall shape rather than just attending to the number of sides and vertices. 78 Calculation and fluency 2AS–1 Add and subtract across 10 Add and subtract across 10, for example: 8 5 13 13 – 5 8 At first, pupils will use manipulatives, such as tens frames, to understand the strategies for adding and subtracting across 10. However, they should not be using the manipulatives as a tool for finding answers. Pupils should be able to carry out these calculations mentally, using their fluency in complements to 10 and partitioning. Pupils are fluent in these calculations when they no longer rely on extensive written methods, such as equation sequences or partitioning diagrams. Pupils do not need to memorise all additive facts for adding and subtracting across 10, but they need to be able to recall appropriate doubles (double 6, 7, 8 and 9) and corresponding halves (half of 12, 14, 16 and 18), and use these known facts for calculations such as 6 6 12 and 18 – 9 9 . Year 2 pupils will need lots of practice to be able to add and subtract across 10 with sufficient fluency to make progress with the year 3 curriculum. They should also continue to practise adding and subtracting within 10. 2AS–3 Add and subtract within 100 – part 1 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract only ones or only tens to/from a two-digit number For pupils to become fluent with the strategies for these two-digit additive calculations, as well as having automatic recall of one-digit additive facts, they must also be conceptually fluent with the connections between one-digit facts and two-digit calculations. This conceptual fluency is based on: being able to unitise (for example, understanding 40 50 as 4 units of ten + 5 units of ten) an understanding of place-value Pupils should be able to solve these calculations mentally and be able to demonstrate their reasoning either verbally or with manipulatives or drawings. Note that this is different from using manipulatives or drawings to calculate an answer, which pupils should not need to do. 79 2AS–4 Add and subtract within 100 – part 2 Add and subtract within 100 by applying related one-digit addition and subtraction facts: add and subtract any 2 two-digit numbers These calculations involve more steps than those in 2AS–3. To avoid overload of working memory, pupils should learn how to record the steps using informal written notation or equation sequences, as shown below. This is particularly important for calculations where addition of the ones involves bridging a multiple of 10, as these require a further calculation step. Figure 57: adding 26 and 37 by partitioning both addends Figure 58: adding 26 and 37 by partitioning one addend Figure 59: subtracting 17 from 63 by subtracting the tens first Figure 60: subtracting 17 from 63 by subtracting the ones first Pupils do not need to learn formal written methods for addition and subtraction in year 2, but column addition and column subtraction could be used as an alternative way to record two-digit calculations at this stage. For calculations such as 26 37, pupils can begin to think about the 2 quantities arranged in columns under place-value headings of tens and ones. They can use counters or draw dots for support: Figure 61: adding 2 two-digit numbers using 10s and 1s columns 80 2MD–1 Multiplication as repeated addition Recognise repeated addition contexts, representing them with multiplication equations and calculating the product, within the 2, 5 and 10 multiplication tables. Pupils must be able to carry out calculations connected to the 2, 5 and 10 multiplication tables, for example: 4 5 Pupils should practise skip counting in multiples of 2, 5 and 10, up to 10 groups of each, until they are fluent. When carrying out a multiplication calculation by skip counting, they may keep track of the number of twos, fives or tens using their fingers or by tallying. Pupils may also recite, using the language of the multiplication tables to keep track (1 times 5 is 5, 2 times 5 is 10…). They can also use or draw 2-, 5- or 10-value counters to support them in solving multiplicative problems. Pupils who are sufficiently fluent in year 2 multiplicative calculations are not reliant on drawing arrays or using number lines as tools to calculate. Pupils should have sufficient conceptual understanding to recognise these as models of multiplication and division, and explain how they link to calculation statements. However they should not need to use them as methods for carrying out calculations. Pupils need to be able to represent 4 fives (or 5, 4 times) as both 4 5 and 5 4 . They should be able to use commutativity to solve, for example, 2 sevens, using their knowledge of 7 twos. 2MD–2 Grouping problems: missing factors and division Relate grouping problems where the number of groups is unknown to multiplication equations with a missing factor, and to division equations (quotitive division). Pupils need to be able to solve missing-factor and division problems connected to the 2, 5 and 10 multiplication tables, for example: 5 20 20 5 Pupils should solve division (and missing-factor) problems, such as these, by connecting division to their emerging fluency in skip counting and known multiplication facts. Pupils should not be solving statements such as 20 5 by sharing 20 between 5 using manipulatives or by drawing dots. Pupils should also not rely on drawing arrays or number lines as tools for calculation. 81 As for 2MD–1, pupils can keep track of the number of twos, fives or tens using their fingers or by tallying. They may also recite, using the language of the multiplication tables, or draw 2-, 5- or 10-value counters. Eventually pupils should be fluent in isolated multiplication facts (for example, 4 fives are 20) and use these to solve missing-factor multiplication problems and division problems. 82 Year 3 guidance Ready-to-progress criteria Year 2 conceptual prerequisite Year 3 ready-to-progress criteria Future applications Know that 10 ones are equivalent to 1 ten, and that 40 (for example) can be composed from 40 ones or 4 tens. Know how many tens there are in multiples of 10 up to 100. 3NPV–1 Know that 10 tens are equivalent to 1 hundred, and that 100 is 10 times the size of 10; apply this to identify and work out how many 10s there are in other three-digit multiples of 10. Solve multiplication problems that that involve a scaling structure, such as ‘ten times as long’. Recognise the place value of each digit in two-digit numbers, and compose and decompose two-digit numbers using standard and non-standard partitioning. 3NPV–2 Recognise the place value of each digit in three-digit numbers, and compose and decompose three-digit numbers using standard and non-standard partitioning. Compare and order numbers. Add and subtract using mental and formal written methods. Reason about the location of any two-digit number in the linear number system, including identifying the previous and next multiple of 10. 3NPV–3 Reason about the location of any three-digit number in the linear number system, including identifying the previous and next multiple of 100 and 10. Compare and order numbers. Estimate and approximate to the nearest multiple of 1,000, 100 or 10. Count in multiples of 2, 5 and 10. 3NPV–4 Divide 100 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 100 with 2, 4, 5 and 10 equal parts. Read scales on graphs and measuring instruments. 83 Year 2 conceptual prerequisite Year 3 ready-to-progress criteria Future applications Add and subtract across 10, for example: 3NF–1 Secure fluency in addition and subtraction facts that bridge 10, through continued practice. Add and subtract mentally where digits sum to more than 10, for example: Add and subtract across other powers of 10, without written methods, for example: Add within a column during columnar addition when the column sums to more than 10 (regrouping), for example, for: Subtract within a column during columnar subtraction when the minuend of the column is smaller than the subtrahend (exchanging), for example, for: Calculate products within the 2, 5 and 10 multiplication tables. 3NF–2 Recall multiplication facts, and corresponding division facts, in the 10, 5, 2, 4 and 8 multiplication tables, and recognise products in these multiplication tables as multiples of the corresponding number. Use multiplication facts during application of formal written layout. Use division facts during short division and long division. Automatically recall addition and subtraction facts within 10, and across 10. Unitise in tens: understand that 10 can be thought of as a single unit of 1 ten. 3NF–3 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 10), for example: Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 100), for example: and so and so 84 Year 2 conceptual prerequisite Year 3 ready-to-progress criteria Future applications Automatically recall number bonds to 9 and to 10. Know that 10 ones are equivalent to 1 ten, and 10 tens are equivalent to 1 hundred. 3AS–1 Calculate complements to 100, for example: Calculate complements to other numbers, particularly powers of 10. Calculate how much change is due when paying for an item. Automatically recall addition and subtraction facts within 10 and across 10. Recognise the place value of each digit in two- and three-digit numbers. Know that 10 ones are equivalent to 1 ten, and 10 tens are equivalent to 1 hundred. 3AS–2 Add and subtract up to three-digit numbers using columnar methods. Add and subtract other numbers, including four-digits and above, and decimals, using columnar methods. Have experience with the commutative property of addition, for example, have recognised that and have the same sum. Be able to write an equation in different ways, for example, and Write equations to represent addition and subtraction contexts. 3AS–3 Manipulate the additive relationship: Understand the inverse relationship between addition and subtraction, and how both relate to the part–part–whole structure. Understand and use the commutative property of addition, and understand the related property for subtraction. All future additive reasoning. Recognise repeated addition contexts and represent them with multiplication equations. Relate grouping problems where the number of groups is unknown to multiplication equations with a missing factor, and to division equations (quotitive division). 3MD–1 Apply known multiplication and division facts to solve contextual problems with different structures, including quotitive and partitive division. 85 Year 2 conceptual prerequisite Year 3 ready-to-progress criteria Future applications 3F–1 Interpret and write proper fractions to represent 1 or several parts of a whole that is divided into equal parts. Use unit fractions as the basis to understand non-unit fractions, improper fractions and mixed numbers, for example: is 2 one-fifths is 6 one-fifths, so 3F–2 Find unit fractions of quantities using known division facts (multiplication tables fluency). Apply knowledge of unit fractions to non-unit fractions. Reason about the location of whole numbers in the linear number system. 3F–3 Reason about the location of any fraction within 1 in the linear number system. Compare and order fractions. Automatically recall addition and subtraction facts within 10. Unitise in tens: understand that 10 can be thought of as a single unit of 1 ten, and that these units can be added and subtracted. 3F–4 Add and subtract fractions with the same denominator, within 1. Add and subtract improper and mixed fractions with the same denominator, including bridging whole numbers. Recognise standard and non-standard examples of 2D shapes presented in different orientations. Identify similar shapes. 3G–1 Recognise right angles as a property of shape or a description of a turn, and identify right angles in 2D shapes presented in different orientations. Compare angles. Estimate and measure angles in degrees. Compose 2D shapes from smaller shapes to match an exemplar, rotating and turning over shapes to place them in specific orientations. 3G–2 Draw polygons by joining marked points, and identify parallel and perpendicular sides. Find the area or volume of a compound shape by decomposing into constituent shapes. Find the perimeter of regular and irregular polygons. 86 3NPV–1 Equivalence of 10 hundreds and 1 thousand Know that 10 tens are equivalent to 1 hundred, and that 100 is 10 times the size of 10; apply this to identify and work out how many 10s there are in other three-digit multiples of 10. 3NPV–1 Teaching guidance Pupils need to experience: what 100 items looks like making a unit of 1 hundred out of 10 units of 10, for example using 10 bundles of 10 straws to make 100, or using ten 10-value place-value counters Figure 62: ten 10-value place-value counters in a tens frame Language focus “10 tens is equal to 1 hundred.” Pupils must then be able to work out how many tens there are in other three-digit multiples of 10. Figure 63: eighteen 10-value place-value counters in 2 tens frames Language focus “18 tens is equal to 10 tens and 8 more tens.” “10 tens is equal to 100.” “So 18 tens is equal to 100 and 8 more tens, which is 180.” 87 The reasoning here can be described as grouping or repeated addition – pupils group or add 10 tens to make 100, then add another group of 8 tens. Pupils need to be able to apply this reasoning to measures contexts, as shown in the 3NPV–1 below. It is important for pupils to understand that there are tens within this new unit of 100, in different contexts. Pupils should be able to explain that numbers such as 180 and 300 are multiples of 10, because they are each equal to a whole number of tens. They should be able to identify multiples of 10 based on the fact that they have a zero in the ones place. As well as understanding 100 and other three-digit multiples of 10 in terms of grouping and repeated addition, pupils should begin to describe 100 as 10 times the size of 10. Figure 64: place-value chart illustrating the scaling relationship between ones, tens and hundreds Language focus “100 is 10 times the size of 10.” Making connections Learning to identify the number of tens in three-digit multiples of 10 should be connected to pupils understanding of multiplication and the grouping structure of division (2MD–1). Pupils should, for example, be able to represent 180 as 18 tens using the multiplication equations or , and be able to write the corresponding division equations . In 3MD–1 they will learn that can represent the structure of 180 divided into groups of 10 (quotitive division), as here, and that it can also represent 180 shared into 10 equal shares of 18 each (partitive division). 88 3NPV–1 Example assessment questions How many 10cm lengths can a 310cm length of ribbon be cut into? The school office sells 52 poppies for 10p each. How much money have they collected altogether? I take 10ml of medicine every day. How many days will a 250ml bottle last? Marek is 2 years old, and has a mass of 10kg. His father’s mass is 10 times as much. What is the mass of Marek’s father? Janey saves up £100. This is 10 times as much money as her brother has. How much money does her brother have? Circle the numbers that are multiples of 10. Explain your answer. 640 300 105 510 330 409 100 864 3NPV–2 Place value in three-digit numbers Recognise the place value of each digit in three-digit numbers, and compose and decompose three-digit numbers using standard and non-standard partitioning. 3NPV–2 Teaching guidance Pupils should be able to identify the place value of each digit in a three-digit number. They must be able to combine units of ones, tens and hundreds to compose three-digit numbers, and partition three-digit numbers into these units. Pupils need to experience variation in the order of presentation of the units, so that they understand that 40 300 2 is equal to 342, not 432. Figure 65: two representations of the place-value composition of 342 Pupils also need to solve problems relating to subtraction of any single place-value part from the whole number, for example: 342 – 300 342 – 302 89 As well as being able to partition numbers in the ‘standard’ way (into individual place-value units), pupils must also be able to partition numbers in ‘non-standard’ ways, and carry out related addition and subtraction calculations, for example: Figure 66: partitioning 830 into 430 and 400 Figure 67: partitioning 654 into 620 and 34 You can find out more about fluency and recording for these calculations here in the calculation and fluency section: Number, place value and number facts: 3NPV–2 and 3NF–3 3NPV–2 Example assessment questions What number is represented by these counters? What number is represented by this expression? 1 10 10 100 100 10 10 Fill in the missing numbers to complete these partitioning diagrams. 90 Fill in the missing numbers. 600 70 1 3 500 40 461 60 1 20 3 823 953 50 3 846 40 800 203 90 290 3 628 20 628 8 Fill in the missing symbols (<, > or =). 100 60 5 105 60 300 40 2 300 24 783 80 783 3 839 9 30 839 39 There are 365 days in a year. If it rains on 65 days of the year, on how many days does it not rain? A bamboo plant was 4m tall. Then it grew by another 83cm. How tall is the bamboo plant now? Express your answer in centimetres. In the school library there are 25 books on the trolley and 250 books on the shelves. How many books are there altogether? Francesco had 165 marbles. Then he gave 45 marbles to his friend. How many marbles does Francesco have now? The tree outside Cecily’s house in 308cm tall. How much further would it have to grow to reach the bottom of Cecily’s bedroom window, at 3m 68cm? 91 3NPV–3 Three-digit numbers in the linear number system Reason about the location of any three-digit number in the linear number system, including identifying the previous and next multiple of 100 and 10. 3NPV–3 Teaching guidance Pupils need to be able to identify or place three-digit numbers on marked number lines with a variety of scales. Pupils should also be able to estimate the value or position of three-digit numbers on unmarked numbers lines, using appropriate proportional reasoning. Pupils should apply this skill to taking approximate readings of scales in measures and statistics contexts, as shown in the 3NPV–3 below. For more detail on identifying, placing and estimating positions of numbers on number lines, see year 2, 2NPV–2. Pupils must also be able to identify which pair of multiples of 100 or 10 a given three-digit number is between. To begin with, pupils can use a number line for support. In this example, for the number 681, pupils must identify the previous and next multiples of 100 and 10. Figure 68: using a number line to identify the next and previous multiple of 100 Figure 69: using a number line to identify the next and previous multiple of 10 Language focus “The previous multiple of 100 is 600. The next multiple of 100 is 700.” “The previous multiple of 10 is 680. The next multiple of 10 is 690.” Pupils need to be able to identify previous and next multiples of 100 or 10 without the support of a number line. 92 Figure 70: identifying the nearest multiple of 100 Finally, pupils should also be able to count forwards and backwards from any three-digit number in steps of 1 or 10. Pay particular attention to counting over ‘boundaries’, for example: 210, 200, 190 385, 395, 405 Making connections Here, pupils must apply their knowledge that 10 tens is equal to 1 hundred (see 3NPV–1) to understand that each interval of 100 on a number line or scale is made up of 10 intervals of 10. This also links to 3NPV–4 , in which pupils need to be able to read scales divided into 2, 4, 5 and 10 equal parts. 3NPV–3 Example assessment questions Fill in the missing numbers. 900 700 600 400 200 370 390 420 440 Estimate to fill in the missing numbers. Estimate and mark the position of these numbers on the number line. 600 200 480 840 762 195 93 Fill in the missing numbers. 100 100 less more 800 10 10 less more 390 100 100 less more 100 10 10 less more 800 previous next multiple multiple of 100 of 100 630 previous next multiple multiple of 100 of 100 347 previous next multiple multiple of 10 of 10 492 previous next multiple multiple of 10 of 10 347 94 Look at lines A, B and C. Can you estimate how long they are by comparing them to the 1,000cm lines? Estimate the mass, in grams, shown on this weighing scale. 95 3NPV–4 Reading scales with 2, 4, 5 or 10 intervals Divide 100 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 100 with 2, 4, 5 and 10 equal parts. 3NPV–4 Teaching guidance By the end of year 3, pupils must be able to divide 100 into 2, 4, 5 or 10 equal parts. This is important because these are the intervals commonly found on measuring instruments and graph scales. Figure 71: Bar models showing 100 partitioned into 2, 4, 5 and 10 equal parts Pupils should practise counting in multiples of 10, 20, 25, and 50 from 0, or from any multiple of these numbers, both forwards and backwards. This is an important step in becoming fluent with these number patterns. Pupils will have been practising counting in multiples of 1, 2 and 5 since year 1, and this supports counting in units of 10, 20 and 50. However, counting in units of 25 is not based on any multiples with which pupils are already familiar, so they typically find this the most challenging. Language focus “Twenty-five, fifty, seventy-five, one hundred” needs to be a fluent spoken language pattern, which pupils can continue over 100. 96 Pupils should be able to apply this skip counting beyond 100, to solve contextual multiplication and division measures problems, as shown in the 3NPV–4 below (questions 5 and 7). Pupils should also be able to write and solve multiplication and division equations related to multiples of 10, 20, 25 and 50 up to 100. Pupils need to be able to solve addition and subtraction problems based on partitioning 100 into multiples of 10, 20 and 50 based on known number bonds to 10. Pupils should also have automatic recall of the fact that 25 and 75 are bonds to 100. They should be able to automatically answer a question such as “I have 1m of ribbon and cut off 25cm. How much is left in centimetres?” Making connections Dividing 100 into 10 equal parts is also assessed as part of 3NPV–1. Reading scales builds on number line knowledge from 3NPV–3 . Conversely, experience of working with scales with 2, 4, 5 or 10 divisions in this criterion improves pupils’ estimating skills when working with unmarked number lines and scales as described in 3NPV–3. 3NPV–4 Example assessment questions Fill in the missing numbers. 0 25 100 0 10 20 40 60 80 90 100 60 40 0 97 What were Jenny and Asif’s scores? Miss Scot weighs herself. How much does she weigh, in kilograms? How many centimetres long is the ribbon? How many 25p cupcakes can I buy for £5? How many 50cm lengths of wood can I cut from a 3m plank? We raise £100 at the school fair and divide the money equally between 5 charities. How much does each charity get? Fill in the missing numbers. 100 4 20 100 100 50 25 100 Stan counts from 0 in multiples of 25. Circle the numbers he will say. 100 25 240 155 400 275 505 350 98 3NF–1 Fluently add and subtract within and across 10 Secure fluency in addition and subtraction facts that bridge 10, through continued practice. 3NF–1 Teaching guidance Before pupils begin work on columnar addition and subtraction (3AS–1), it is essential that pupils have automatic recall of addition and subtraction facts within and across 10. These facts are required for calculation within the columns in columnar addition and subtraction. All mental calculation also depend on these facts. Identifying core number facts: columnar addition Identifying core number facts: columnar subtraction Figure 72: columnar addition of 465 and 429 Figure 73: columnar subtraction of 286 from 749 Within-column calculations: Within-column calculations: Pupils should already have automatic recall of addition and subtraction facts within 10, from year 1 (1NF–1). In year 2 (2AS–1), pupils learnt strategies for addition and subtraction across 10. However, year 3 pupils are likely to need further practice, and reminders of the strategies, to develop sufficient fluency. Pupils should practise until they achieve automaticity in the mental application of these strategies. Without this practice many pupils are likely to still be reliant on counting on their fingers to solve within-column calculations in columnar addition and subtraction. The full set of addition calculations that pupils need for columnar addition are shown on the next page. The number of facts to be learnt is reduced when commutativity is applied and pupils recognise that 7 5 , for example, is the same as 5 7 . Automaticity in subtraction facts should also be developed through the application of the relationship between addition and subtraction, for example, pupils should recognise that if 7 5 12 then12– 5 7 . 99 + 0 1 2 3 4 5 6 7 8 9 10 0 1 2 3 4 5 6 7 8 9 10 Pupils need extensive practice to meet this criterion. You can find out more about fluency for addition and subtraction within and across 10 here in the calculation and fluency section: 3NF–1 Making connections Fluency in these addition and subtraction facts is required for within-column calculation in columnar addition and subtraction ( 3AS–2). 3NF–1 Example assessment questions Mr Kahn drove 8km to get to his friend’s house, and then drove another 3km with his friend to get to the gym. How far did Mr Kahn drive? There are 12 children. 5 of them can ride a bicycle and the rest cannot. How many of the children cannot ride a bicycle? Maja had £17. Then she spent £9. How much money does she have left? 100 I have 6 metres of red ribbon and 6 metres of blue ribbon. How many metres of ribbon do I have altogether? Hazeem is growing a sunflower and a bean plant. So far, his sunflower plant is 14cm tall and his bean plant is 8cm tall. How much taller is the sunflower plant than the bean plant? Assessment guidance: For pupils to have met criterion 3NF–1, they need to be able to add and subtract within and across 10 without counting forwards or backwards in ones on their fingers, on a number line or in their heads. Pupils need to be able to automatically recall the facts within 10, and be able to mentally apply strategies for calculation across 10, with accuracy and speed. Teachers should assess pupils in small groups – simply providing the correct answers to the example questions above does not demonstrate that a pupil has met the criterion. The full set of addition and subtraction facts which children need to be fluent in is shown in the appendix. 3NF–2 Recall of multiplication tables Recall multiplication facts, and corresponding division facts, in the 10, 5, 2, 4 and 8 multiplication tables, and recognise products in these multiplication tables as multiples of the corresponding number. 3NF–2 Teaching guidance The national curriculum requires pupils to recall multiplication table facts up to 12 12 , and this is assessed in the year 4 multiplication tables check. In year 3, the focus should be on learning facts in the 10, 5, 2, 4 and 8 multiplication tables. Language focus When pupils commit multiplication table facts to memory, they do so using a verbal sound pattern to associate the 3 relevant numbers, for example, “six fours are twenty-four”. It is important to provide opportunities for pupils to verbalise each multiplication fact as part of the process of developing fluency. While pupils are learning the individual multiplication tables, they should also learn that: 101 the factors can be written in either order and the product remains the same (for example, we can write 3 4 12 or 4 3 12 to represent the third fact in the 4 multiplication table) the products within each multiplication table are multiples of the corresponding number, and be able to recognise multiples (for example, pupils should recognise that 64 is a multiple of 8, but that 68 is not) adjacent multiples in, for example, the 8 multiplication table, have a difference of 8 Figure 74: number line and array showing that adjacent multiples of 8 (32 and 40) have a difference of 8 As pupils develop automatic recall of multiplication facts, they should learn how to use these to derive division facts. They must be able to use these ‘known division facts’ to solve division calculations, instead of using the skip counting method they learnt in year 2 (2MD–2). Pupils should learn to make the connection between multiplication and division facts as they learn each multiplication table, rather than afterwards. Language focus “4 times 5 is 20, so 20 divided by 5 is 4.” It is useful for pupils to learn the 10 and 5 multiplication tables one after the other, and then the 2, 4 and 8 multiplication tables one after the other. The connections and patterns will help pupils to develop fluency and understanding. You can find out more about developing automatic recall of multiplication tables here in the calculation and fluency section: 3NF–2 102 Making connections Alongside developing fluency in multiplication tables facts and corresponding division facts, pupils must learn to apply them to solve contextual problems with different multiplication and division structures (3MD–1). In 3F–2 pupils use known division facts to find unit fractions of quantities, for example , so . 3NF–2 Example assessment questions A spider has 8 legs. If there are 5 spiders, how many legs are there altogether? A book costs £5. How much do 6 books cost? 18 socks are put into pairs. How many pairs are there? Felicity wants to buy a scooter for £60. If she pays with £10 notes, how many notes does she need? Circle the numbers that are multiples of 4. 14 24 40 34 16 32 25 Assessment guidance: The multiplication tables check in year 4 will assess pupils’ fluency in all multiplication tables. At this stage, teachers should assess fluency in facts within the 10, 5, 2, 4 and 8 multiplication tables. Once pupils can automatically recall multiplication facts, and have covered criterion 3MD–1, they should be able to apply their knowledge to contextual questions like those shown here. Teachers should ensure that pupils answer these questions using automatic recall of the appropriate multiplication facts – for question 1, for example, if a pupil counts up in multiples of 8, or draws 5 spiders and counts the legs in ones, the pupil has not met this criterion. 103 3NF–3 Scaling number facts by 10 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 10), for example: 8 6 14 and 14 6 8 so 80 60 140 and 140 60 80 3 4 12 and 12 4 3 so 30 4 120 and 120 4 30 3NF–3 Teaching guidance During year 3, pupils develop automaticity in addition and subtraction facts within 20 (3NF–1), and learn to recall multiplication table facts and related division facts for the 10, 5, 2, 4 and 8 multiplication tables. To be ready to progress to year 4, pupils must also be able to combine these facts with unitising in tens, including: scaling known additive facts within 10, for example, 90 60 30 scaling known additive facts that bridge 10, for example, 80 60 140 scaling known multiplication tables facts, for example, 30 4 120 scaling division facts derived from multiplication tables, for example, 120 4 30 For calculations such as 80 60 140 , pupils can begin by using tens frames and counters as they did for calculation across 10 (2AS–1), but now using 10-value counters. Figure 75: tens frames with 10-value counters showing 80 + 60 = 140 104 8 + 6 14 80 + 60 140 14 – 6 8 140 – 60 80 14 – 8 6 140 – 80 60 You can find out more about fluency and recording for these calculations here in the calculation and fluency section: Number, place value and number facts: 3NPV–2 and 3NF–3 Similarly, pupils can use 10-value counters to understand how a known multiplicative fact, such as 3 5 15 , relates to a scaled calculation, such as 3 50 150 . Pupils should be able reason in terms of unitising in tens. Figure 76: 3-by-5 array of 10-value place-value counters 3 5 15 3 50 150 Language focus “3 times 5 is equal to 15.” “3 times 5 tens is equal to 15 tens.” “15 tens is equal to 150.” 3 5 15 30 5 150 Language focus “3 times 5 is equal to 15.” “3 tens times 5 is equal to 15 tens.” “15 tens is equal to 150.” Multiplication calculations in this criterion should all be related to the 5, 10, 2, 4 and 8 multiplication tables. It is important for pupils to understand all of the calculations in this criterion in terms of working with units of 10. 105 Making connections This criterion builds on: additive fluency within and across 10 (3NF–1) 3NF–2 , where pupils develop fluency in multiplication and division facts 3NPV–1, where pupils need to be able to work out how many tens there are in any three-digit multiple of 10 Meeting this criterion also requires pupils to be able to fluently multiply whole numbers by 10 (3NF–2 ). 3NF–3 Example assessment questions A garden table costs £80 and 2 garden chairs each cost £60. How much do the 2 chairs and the table cost altogether? 130 people are expected at a concert. So far 70 people have arrived. How many more people are due to arrive? A family ticket for a safari park is £40. 3 families go together. How much do the 3 family tickets cost altogether? Fill in the missing numbers. 30 110 7 60 106 3AS–1 Calculate complements to 100 Calculate complements to 100, for example: 3AS–1 Teaching guidance Calculating complements to 100 is an important skill, because it is a prerequisite for calculating how much change is due when paying for an item. When pupils calculate complements (the amount needed to complete a total), a common error is to end up with a total that is too large: When calculating complements to 100, pupils typically make an extra ‘unit’ of 10, making 110 instead of 100. When finding change from a whole number of pounds, pupils typically make an extra £1, for example, they incorrectly calculate the change due from £5 for a cost of £3.40 as £2.60 It is important for pupils to spend time specifically learning about calculating complements, including the risk of creating ‘extra units’. This should begin in year 3, with calculating complements to 100. Pupils should compare correct calculations with the corresponding common incorrect calculations for complements to 100. They should be able to discuss the pairs of calculations and understand the source of the error in the incorrect calculations. Incorrect complement to 100 Correct complement to 100 Figure 77: partitioning diagram and calculation showing incorrect complement to 100: 62 and 48 Figure 78: partitioning diagram and calculation showing correct complement to 100: 62 and 38 A shaded 100 grid can be used to show why there are only 9 full tens in the correct complements to 100. The 10th ten is composed of the ones digits. 107 Figure 79: a 100 grid shaded in 2 colours to represent 62 and 38 as a complement to 100 Once pupils understand why given complements to 100 are correct or not, they should learn to work in steps to calculate complements themselves: First make 10 ones. Then work out the number of additional tens needed. Pupils must understand that the tens digits should bond to 9, not to 10. Check that the 2 numbers sum to 100. Figure 80: calculating a complement to 100 Language focus “First we make 10 ones. The ones digits add up to 1 ten, so we need 9 more tens.” Making connections Pupils will need to calculate the majority of two-digit complements to 100 as described above. However, pupils should memorise the pair 75 and 25 (see 3NPV–4 ). 108 3AS–1 Example assessment questions Which of these are correct complements to 100 and which have an extra 10? Tick the correct column. Explain your answers. Correct bond to 100 Incorrect bond to 100 (extra 10) Explanation 28 + 72 61 + 49 55 + 45 43 + 67 84 + 16 39 + 71 Fill in the missing numbers. 65 100 100 29 100 42 100 83 A dressmaker had 1m of ribbon. Then she used 22cm of it. How many centimetres of ribbon does she have left? A toy shop sells ping-pong balls for 65p each. If I use a £1 coin to pay for a ping-pong ball, how much change will I get, in pence? Mr Jones has 100 stickers. 47 of them are gold and the rest are silver. How many are silver? 109 3AS–2 Columnar addition and subtraction Add and subtract up to three-digit numbers using columnar methods. 3AS–2 Teaching guidance Pupils must learn to add and subtract using the formal written methods of columnar addition and columnar subtraction. Pupils should master columnar addition, including calculations involving regrouping (some columns sum to 10 or more), before learning columnar subtraction. However, guidance here is combined due to the similarities between the two algorithms. Beginning with calculations that do not involve regrouping (no columns sum to 10 or more) or exchange (no columns have a minuend smaller than the subtrahend), pupils should: learn to lay out columnar calculations with like digits correctly aligned learn to work from right to left, adding or subtracting the least significant digits first Teachers should initially use place-value equipment, such as Dienes, to model the algorithms and help pupils make connections to what they already know about addition and subtraction.
110 Figure 81: columnar addition with no regrouping: calculation and Dienes representation Figure 82: columnar subtraction with no exchange: calculation and Dienes representation Pupils should use unitising language to describe within-column calculations. Language focus “3 ones plus 5 ones is equal to 8 ones.” “4 tens plus 2 tens is equal to 6 tens.” “5 ones minus 3 ones is equal to 2 ones.” “6 tens minus 2 tens is equal to 4 tens.” Pupils must also learn to carry out columnar addition calculations that involve regrouping, and columnar subtraction calculations that involve exchange. Regrouping and exchange build on pupils’ understanding that 10 ones is equivalent to 1 ten, and that 10 tens is equivalent to 1 hundred. Dienes can be used to model the calculations, and to draw attention to the regrouping/exchange. 111 Dienes (or any other place-value apparatus) should be used, only initially, to support pupils understanding of the structure of the algorithms, and should not be used as a tool for finding the answer. Once pupils understand the algorithms, they should use known facts to perform the calculation in each column (3NF–1). For calculations with more than 2 addends, pupils should add the digits within a column in the most efficient order. Figure 83: making efficient choices for within-column calculations when adding 3 addends Pupils must learn that, although columnar methods can be used for any additive calculation, they are not always the most appropriate choice. For example, 164 + 36 can be calculated by recognising that 64 and 36 is a complement to 100, while 120 + 130 maybe be calculated by unitising in tens (12 tens + 13 tens = 25 tens) or by recognising that 20 + 30 = 50. Throughout, pupils should continue to recognise the inverse relationship between addition and subtraction. Pupils may represent calculations using partitioning diagrams or bar models, and should learn to check their answers using the inverse operation. Figure 84: using addition to check a subtraction calculation You can find out more about fluency for these calculations here in the calculation and fluency section: 3AS–2 Making connections The within-column calculations in columnar addition and subtraction use the facts practised to fluency in 3NF–1. Any additive calculation can be carried out using columnar methods. However other methods may sometimes be more efficient, such as those taught in 3NPV–3 and 3NF–3 . 112 3AS–2 Example assessment questions Solve these calculations using columnar addition or columnar subtraction. a. 89 – 23 b. 127 43 49 c. 402 130 78 d. 462– 256 e. 345–72 f. 407 –129 Year 3 want to buy some sports equipment which costs £472. So far they have raised £158. How much more money do they need to raise? Cheryl has £135. She spends £53 on some new trainers. How much money does she have left? There are 172 non-fiction books in the school library and 356 fiction books. How many books are there in the library altogether? Fill in the missing numbers. Mahsa carries out the following columnar addition calculation. Write a columnar subtraction calculation that she could do to check that her calculation is correct. Complete the following calculations. Choose carefully which method to use. 175 25 63 89 42 50 250 300 776– 200 523– 247 400–35 113 3AS–3 Manipulate the additive relationship Manipulate the additive relationship: Understand the inverse relationship between addition and subtraction, and how both relate to the part–part–whole structure. Understand and use the commutative property of addition, and understand the related property for subtraction. 3AS–3 Teaching guidance Pupils will begin year 3 with an understanding of some of the individual concepts covered in this criterion, and will already be familiar with using partitioning diagrams and bar models. However, pupils need to leave year 3 with a coherent understanding of the additive relationship, and how addition and subtraction equations relate to the various additive structures. Pupils must understand that the simplest addition and subtraction equations describe the relationship between 3 numbers, where one is a sum of the other two. They should understand that both addition and subtraction equations can be used to describe the same additive relationship. They should practise writing the full set of 8 equations that are represented by a given partitioning diagram or bar model. Figure 85: partitioning diagrams showing the additive relationship between 25, 12 and 37 25 12 37 37 –12 25 12 25 37 37 – 25 12 37 25 12 25 37 –12 37 12 25 12 37 – 25 Pupils should learn and use the correct names for the terms in addition and subtraction equations. addend addend sum minuend– subtrahend difference Pupils understanding should go beyond the fact that addition and subtraction are inverse operations. They need understand how the terms in addition and subtraction equations are related to each other, and to the parts and whole within an additive relationship, and use this understanding to manipulate equations. 114 Figure 86: connecting the terms in addition and subtraction equations to the part-part-whole structure With experience of the commutative property of addition, pupils can now learn that, because of the relationship between addition and subtraction, the commutative property has a related property for subtraction. Language focus “If we swap the values of the subtrahend and difference, the minuend remains the same.” Both of the following equations are therefore correct: 37– 25 12 37–12 25 Pupils should use their understanding of the additive relationship and how it is related to parts and a whole, the inverse relationship between addition and subtraction, and the commutative property, to manipulate equations. They must recognise that if 2 of the 3 numbers in a given additive relationship are known, the unknown number can always be determined: addition is used to find an unknown whole, while subtraction is used to find an unknown part, irrespective of how the problem is presented. For example, 34 ?
56 has an unknown part so is solved using subtraction, even though the problem is written as addition. Pupils need to be able to solve: missing-addend problems (addend ?
sum ) missing-subtrahend problems (minuend ?
difference ) missing-minuend problems (? subtrahend difference ) Pupils have been solving missing-number problems since year 1. However, with smaller numbers, they were able to rely on missing-number facts (known number bonds) or counting on (for example, counting on 3 fingers to get from 12 to 15 for 12 ?
15 ). Now that pupils are using numbers with up to three digits, they will need to rearrange missing-number equations to solve them, using formal written methods where necessary. Teachers should not assume that pupils will be able to do this automatically: pupils will need to spend time learning the properties of the additive relationship, and practising rearranging equations. They should be able to identify the type of each problem in terms 115 of whether a part or the whole is unknown, and can sketch partitioning diagrams or bar models to help them do this. Missing-addend problems Type of problem: missing part Rewrite the addition equation as a subtraction equation, for example: Language focus “There is a missing part. To find the missing part, we subtract the other part from the whole.” Missing-subtrahend problems Type of problem: missing part Rewrite the subtraction equation by swapping the subtrahend and the difference, for example: Language focus “There is a missing part. To find the missing part, we subtract the other part from the whole.” Missing-minuend problems Type of problem: missing whole Rewrite the subtraction equation as an addition equation, for example: Language focus “There is a missing whole. To find the missing whole, we add the 2 parts.” 116 Making connections Once pupils have identified the calculation required to solve a missing-number problem, they need to be able to perform that calculation. Pupils must be fluent in identifying and applying appropriate addition and subtraction strategies. 3AS–3 Example assessment questions Fill in the missing numbers. 364 857 785 180 1 45 721 250cm 65cm 117 3MD–1 Multiplication and division structures Apply known multiplication and division facts to solve contextual problems with different structures, including quotitive and partitive division. 3MD–1 Teaching guidance At this stage, pupils will be developing fluency in the 5, 10, 2, 4 and 8 multiplication tables (3NF–2 ), so should be able to solve multiplication problems about groups of 5, 10, 2, 4 or 8. Pupils have already begun to learn that if the factors are swapped, the product remains the same (3NF–2). Language focus “factor times factor is equal to product” “The order of the factors does not affect the product.” Pupils should also learn that the commutative property allows them to use their known facts to solve problems about 5, 10, 2, 4 or 8 equal groups (for example, 2 groups of 7). An array can be used to illustrate how the commutative property relates to different grouping interpretations – the example below shows that 7 groups of 2 and 2 groups of 7 both correspond to the same total quantity (14). Figure 87: using an array to show that 7 groups of 2 and 2 groups of 7 both correspond to the same total quantity This means that pupils can use their knowledge that 7 2 14 to solve a problem about 2 groups of 7, even though they have not yet learned the 7 multiplication table. Pupils should already be solving division calculations using known division facts corresponding to the 5, 10, 2, 4 and 8 multiplication tables (3NF–2). They must also be able to use these known facts to solve both quotitive (grouping) and partitive (sharing) contextual division problems. The same array that was used to illustrate the commutative 118 property of multiplication can also be used to show how known division facts can be applied to the two different division structures. Quotitive division Partitive division I need 14 ping-pong balls. There are 2 ping-pong balls in a pack. How many packs do I need? Figure 88: using an array and bar model to show that 14 divided into groups of 2 is equal to 7 Language focus “7 times 2 is 14, so 14 divided by 2 is 7.” “14 divided into groups of 2 is equal to 7.” I need 7 packs of ping-pong balls. £14 is shared between 2 children. How much money does each child get? Figure 89: using an array and bar model to show that 14 shared between 2 is equal to 7 Language focus “7 times 2 is 14, so 14 divided by 2 is 7.” “£14 shared between 2 is equal to £7 each.” Each child gets £7. At this stage, pupils only need to be able to apply division facts corresponding to division by 5, 10, 2, 4 and 8 to solve division problems with the two different contexts. In year 4, pupils will learn, for example, that if they know that 2 7 14 , then they know both 14 2 7 and 14 7 2 . When pupils are solving contextual problems, dividing into groups of 5, 10, 2, 4 or 8 (quotitive division) or sharing into 5, 10, 2, 4 or 8 parts (partitive division), they should calculate by recalling a known multiplication fact rather than by skip counting, as described in 3NF–2 and illustrated above. 119 Making connections Using the commutative law of multiplication reduces the number of multiplication tables facts that pupils need to memorise, both in year 3 (3NF–2 ) and beyond. Being able to calculate the size of a part in partitive contexts using known division facts is a prerequisite for finding unit fractions of quantities (3F–2). 3MD–1 Example assessment questions Circle the expressions that match the picture. 2 6 6 6 6 2 2 6 6 2 6 6 If one sweet costs 3p, how much do 8 sweets cost? I need to buy 32 metres of fencing to go around my garden. The fencing is sold in 8-metre lengths. How many 8-metre lengths do I need to buy? There are 24 strawberries in a tub. I share them equally between the 4 people in my family. How many does each person get? A gardener has 5 plant pots. She plants 6 seeds in each pot. How many seeds does she plant altogether? 120 3F–1 Use and understand fraction notation Interpret and write proper fractions to represent 1 or several parts of a whole that is divided into equal parts. 3F–1 Teaching guidance Pupils should learn that when a whole is divided into equal parts, fraction notation can be used to describe the size of each equal part relative to the whole. Because it is the size of a part relative to the whole which determines the value of a fraction, it is important that pupils talk about, and identify, both the whole and the part from the start of their work on fractions. They should not begin, for example, by talking about ‘1 out of 3 parts’ without reference to a whole. Pupils should begin by working with concrete resources and diagrams. First they should learn to identify the whole and the number of equal parts, then to describe one particular equal part relative to the whole. Figure 90: a circle divided into 3 equal parts, with one part shaded Language focus “The whole is divided into 3 equal parts. 1 of these parts is shaded.” Pupils must be able to use this precise language to describe a unit fraction of a: shape/area (as in the above example) measure (for example, a length of ribbon or a beaker of water) set (for example, a group of sheep where all are white except one, which is black) Pupils should then learn to interpret and write unit fractions, relating to these contexts, using mathematical notation. They should continue to describe the whole, the number of parts and the particular part, and relate this to the written fraction. 121 SayWrite“The whole has been divided…”The fraction bar: –“…into 3 equal parts.”The denominator: 3“1 of these parts is shaded.”The numerator: 1 Language focus “The whole is divided into 3 equal parts. Each part is one-third of the whole.” A clear understanding of unit fractions is the foundation for all future fractions concepts. Pupils should spend sufficient time working with unit fractions to achieve mastery before moving on to non-unit fractions. Pupils should learn that a non-unit fraction is made up of a quantity of unit fractions. They should practise using unitising language to describe, for example, 5 eighths as 5 one-eighths (here, we are unitising in eighths). Language focus “The whole is divided into 8 equal parts and 5 of those parts are shaded. of the shape is shaded. is 5 one-eighths.” Pupils should also experience examples where all parts of the shape are shaded (or all parts of the measure or set are highlighted) and the numerator is equal to the denominator. They should understand, for example that 5 5 represents all 5 equal parts, and is equivalent to the whole. Teaching should draw attention to the fact that in order to identify a fraction, the parts need to be equal. Comparing situations where the parts are equal and those where they are not is a useful activity (see 3F–1, questions 2 and 4). 122 Making connections Showing, describing and representing a unit fraction of a shape, measure or set involves dividing it into a number of equal parts. The theme of dividing a quantity into a given number of equal parts runs through many topics, including: partitive division (3MD–1) finding a unit fraction of a value using known division facts (3F–2). 3F–1 Example assessment questions What fraction of each diagram is shaded? Does each diagram show the given fraction? Explain your answers. What fraction of each diagram is shaded/highlighted? 123 Tick or cross each diagram to show whether 3 5 is shaded. Explain your answers. a. Shade 1 10 of this set. b. Shade 3 4 of this shape. c. Circle 4 5 of the flowers. d. Colour 1 3 of the line. 124 3F–2 Find unit fractions of quantities Find unit fractions of quantities using known division facts (multiplication tables fluency). 3F–2 Teaching guidance In 3F–1 pupils learnt how fractions act as operators on a whole. Now they must learn to evaluate the outcome of that operation, for unit fractions of quantities, and connect this to what they already know about dividing quantities into equal parts using known division facts, for example: 1 10 30 10 3 so of 30 3 1 4 36 4 9 so of 36 9 In year 3, pupils learn the 5, 10, 2, 4 and 8 multiplication tables, so examples in this criterion should be restricted to finding 1 5 , 1 10 , 1 2 , 1 4 or 1 8 of quantities. This allows pupils to focus on the underlying concepts instead of on calculation. Pupils should begin by working with concrete resources or diagrams representing sets. As in 3F–1, they should identify the whole, the number of equal parts, and the size of each part relative to the whole written as a unit fraction. They should then extend their description to quantify the number of items in a part, and connect this to the unit-fraction operator. Figure 91: 12 oranges divided into 4 equal parts Language focus “The whole is 12 oranges. The whole is divided into 4 equal parts.” “Each part is of the whole. of 12 oranges is 3 oranges.” 125 Once pupils can confidently and accurately describe situations where the value of a part is visible, they should learn to calculate the value of a part when it cannot be seen. Bar models are a useful representation here. Pupils should calculate the size of the parts using known division facts, initially with no reference to unit fractions. This is partitive division (3MD–1). Figure 92: using a bar model to represent 15 divided into 5 equal parts Then pupils should make the link between partitive division and finding a fraction of a quantity. They should understand that the situations are the same because both involve dividing a whole into a given number of equal parts. Pupils must understand that, therefore, division facts can be used to find a unit fraction of a quantity. Figure 93: using a bar model to represent one-fifth of 15 126 Language focus “To find of 15, we divide 15 into 5 equal parts.” “15 divided by 5 is equal to 3, so of 15 is equal to 3.” Making connections This criterion builds directly on 3F–1, where pupils learnt to associate fraction notation with dividing a shape, measure or set into a number of equal parts. The focus of this criterion is understanding that finding a unit fraction of a quantity is the same structure as partitive division (3MD–1). In 3NF–1 pupils develop fluency in the 5, 10, 2, 4 and 8 multiplication tables and associated division facts. These division facts are applied here to find , , , or of quantities. 3F–2 Example assessment questions Rohan saved £32. He spends 1 4 of his money on a toy. How much does he spend? Find: a. 1 5 of 35 b. 1 10 of 40 c. 1 8 of 24 The school caretaker buys 50 litres of paint. She uses 1 5 of it to paint the year 3 classroom. How many litres of paint is this? There are 16 apples in a fruit bowl. Some children eat 1 4 of the apples. How many are left? 127 3F–3 Fractions within 1 in the linear number system Reason about the location of any fraction within 1 in the linear number system. 3F–3 Teaching guidance So far (in 3F–1 and 3F–2) pupils will probably have only experienced fractions as operators, for example, 1 3 of this shape, 3 5 of this line, or 1 4 of this quantity. Pupils must also develop an understanding of fractions as numbers, each of which has a place in the linear number system (for example, the number 1 4 in contrast to the operator 1 4 of something). Pupils will already have learnt to place whole numbers on number lines, and now they must learn that other numbers (fractions) lie between these whole numbers, beginning in year 3 with fractions within 1. Pupils should learn to count, forwards and backwards, in multiples of unit fractions, with the support of number lines. Figure 94: number line to support counting to 1 in multiples of one quarter Figure 95: number line to support counting to 1 in multiples of one fifth Pupils should practise dual counting. Language focus “One fifth, two fifths, three fifths…” “1 one-fifth, 2 one-fifths, 3 one-fifths…” This reinforces the understanding that non-unit fractions are repeated additions of unit fractions. 128 Pupils also need to understand that a fraction with the numerator equal to the denominator is equivalent to 1. Practice should involve counting, for example, both “… three-fifths, four-fifths, five-fifths” and “… three-fifths, four-fifths, one”. Pupils should then learn to label marked number lines, within 1. Identifying points between labelled intervals is an important skill in graphing and measures. A common mistake that pupils make is to count the number of marks between labelled intervals, rather than the number of parts, for example, on the number line below they may count 3 marks and incorrectly deduce that the number line is marked in thirds. Figure 96: labelling a 0 to 1 number line marked in quarters Language focus “Each whole-number interval is divided into 4 equal parts, so we count in quarters.” Pupils must also be able to estimate the value or position of fractions on 0 to 1 number lines that do not have fractional marks. Figure 97: estimating the position of a fraction on a 0 to 1 number line Pupils also need to be able to reason, for example, that 1 4 is nearer to 0 than 1 3 is, because 1 4 is smaller than 1 3 ; they should consider the number of parts the 0 to 1 interval is divided into, and understand that the greater the denominator, the more parts there are, and therefore 1 4 < 1 3 . 129 Figure 98: estimating the relative positions of one quarter and one third on a 0 to 1 number line Making connections Having a visual image of fractions in the linear number system helps pupils to add and subtract fractions with the same denominator, for example (3F–4). It also supports comparison of fractions, and reading scales. 3F–3 Example assessment questions Label the points on this number line. How tall is this plant? Give your answer as a fraction of a metre. a. Which is larger, 6 8 or 3 8 ? Explain your answer. b. Which is larger, 1 4 or 1 3 ? Explain your answer. 130 Gemma and Kasper look at this number line. Gemma says the arrow is pointing to the number 3 4 . Kasper says the arrow is pointing to the number 3 5 . Who is correct? Explain your answer. Add the missing labels to the measuring jug. 131 3F–4 Add and subtract fractions within 1 Add and subtract fractions with the same denominator, within 1. 3F–4 Teaching guidance To add and subtract fractions, pupils must already understand that non-unit fractions are repeated additions of unit fractions, for example, three-eighths is 3 one-eighths. In other words, pupils must have begun to unitise with unit fractions in the same way that they learnt to unitise, for example, in tens (30 is 3 tens). Addition and subtraction of fractions with the same denominator then follows logically: just as pupils learnt that 3 tens plus 2 tens is 5 tens, they can reason that 3 one-eighths plus 2 one-eighths is equal to 5 one-eighths. Figure 99: adding and subtracting fractions with the same denominator: pie model, bar model and number line Language focus “3 one-eighths plus 2 one-eighths is equal to 5 one-eighths.” “5 one-eighths minus 2 one-eighths is equal to 3 one-eighths.” 132 Pupils should be able to understand and use the following generalisations. Language focus “When adding fractions with the same denominators, just add the numerators.” “When subtracting fractions with the same denominators, just subtract the numerators.” Making connections In 3F–1 and 3F–3, pupils learnt that non-unit fractions are made up of multiples of a unit fraction. This criterion is based on pupils being able to unitise with unit fractions. Pupils already learnt to unitise in tens and combine this understanding with known addition and subtraction facts in 3NPV–1 and 3NF–3 . 3F–4 Example assessment questions Complete the calculations. 5 1 9 9 6 2 8 8 5 3 12 12 9 6 11 11 5 7 14 14 9 10 0 Diego writes: 3 5 8 12 12 12 Mark writes: 3 5 8 12 12 24 Who is correct? Explain the mistake that has been made. 133 Decide whether each calculation is correct or not. Explain your answers. Correct( ) or incorrect ( )?Explanation Sofia had a jug containing 7 10 of a litre of juice. She drank 4 10 of a litre. How much does she have left? 134 3G–1 Recognise right angles Recognise right angles as a property of shape or a description of a turn, and identify right angles in 2D shapes presented in different orientations. 3G–1 Teaching guidance Pupils must have learnt about fractions before beginning work on this criterion. In particular they should recognise one-, two- and three-quarters of a circle. Pupils must be able to describe and represent quarter, half and three-quarter turns (clockwise and anti-clockwise). Pupils should begin by making quarter turns with their bodies, following instructions such as “Stand, and make a quarter turn clockwise. Walk in a straight line. Stop. Make a quarter turn anticlockwise.” They should be able to relate these movements to the quarter turn of a clock hand. Pupils should learn that the angle relative to the starting orientation, created by a quarter turn (in either direction), is called a right angle – programmable robots and geo-strips are useful tools for illustrating this. Pupils should then learn to follow instructions involving 1 2 turn and 3 4 turns, clockwise and anticlockwise. They should recognise that the result of making a 1 2 turn clockwise is the same as the result of making a 1 2 turn anticlockwise. Pupils should also understand 1 2 and 3 4 turns as repeated 1 4 turns, and therefore as repeated turns through a right angle. Pupils should recognise that a right angle is the ‘amount of turn’ between 2 lines, and is independent of the length of those lines. They should be presented with a right angle created by 2 long lines (such as two metre sticks) and a right angle created by 2 short lines (such as 2 geo-strips), and understand that both are right angles. It is important that pupils know that it is incorrect to describe the right-angle made from longer lines as a ‘bigger right angle’, or that made from the shorter lines as a ‘smaller right angle’. Pupils should practise identifying right angles in their environment, for example, the corner of their desk, the panes of a window, or the hands on a clock at 3pm or 9pm. They should learn to use various tools to confirm that angles are right angles, for example a card circle with a quarter circle cut out, or a piece of paper of any size that has been folded in half and half again to create a right angle. Pupils must then learn to identify right angles in polygons. This should involve both handling shapes (for example, cut from cardboard) and working with images of shapes. When pupils are handling shapes, they should practise rotating the shapes to check each angle against a right-angle checker. Images of shapes should be presented in a variety of orientations, so that pupils’ ability to identify right angles is not dependent on the lines being horizontal and vertical. Pupils must also learn to interpret and use the standard convention for marking right angles (as illustrated below). 135 Figure 100: irregular pentagon with 3 right angles marked using standard convention Whether working with cut-out shapes or images, pupils should be able to state whether a given angle is greater than or smaller than a right angle, using the angle-checker. Pupils should recognise that: the only polygon in which every vertex can be a right angle is a quadrilateral quadrilaterals that have 4 right angles are rectangles irrespective of the length of their sides a quadrilateral that has all side-lengths equal and every vertex a right angle is a regular rectangle that can also be called a square Making connections In 3G–2, children will learn that 2 lines are at right angles are termed ‘perpendicular’. Composing and drawing shapes in 3G–2 provides another context in which to identify right angles. 136 3G–1 Example assessment questions Here is a map of a treasure island. a. Follow the instructions and say where you end up. Each time, start at the camp, facing north. i. Go forwards 3 squares. Make a quarter turn clockwise. Go forwards 2 squares. Make a quarter turn anticlockwise. Go forwards 2 squares. Where are you? ii. Make a three-quarter turn clockwise. Go forward 3 squares. Make a quarter turn anticlockwise. Go forward 1 square. Where are you? b. Start at the camp, facing North. Write some instructions, like the ones above, to get to the treasure. Draw an irregular hexagon with one right angle on this grid. 137 Mark all of the right angles in these shapes. Use a right-angle checker to help you. 3G–2 Draw polygons and identify parallel and perpendicular sides Draw polygons by joining marked points, and identify parallel and perpendicular sides. 3G–2 Teaching guidance Pupils must learn to draw polygons by joining marked points, precisely, using a ruler. Pupils should be able to mark vertices themselves on a grid (square or isometric), as well as join already-marked points. Pupils must be able to identify a pair of parallel or perpendicular lines, as well as horizontal and vertical lines. They should be able to explain why a pair of lines are parallel or perpendicular. Language focus “These 2 lines are parallel because they are always the same distance apart. They will never meet no matter how far we extend them.” “These 2 lines are perpendicular because they are at right angles to each other.” Pupils should be able to select or create shapes according to parameters that include these terms, such as joining 2 isosceles triangles to make a parallelogram. 138 Pupils may use standard notation to mark parallel sides. Making connections In 3G–1, children learnt to identify right angles. In this criterion they should identify right angles in shapes they have drawn or made, and know that a right angle is made at the point where two perpendicular lines meet. 3G–2 Example assessment questions Task: Provide each pupil with 2 trapezium pieces from a pattern block set. Then ask them to make 3 different shapes by joining the pieces and discuss the properties of each shape they make. Here are 5 vertices of a regular hexagon. Mark the sixth vertex and join the points to draw the hexagon. Here are 2 sides of a square. Complete the square. 139 Look at these 5 quadrilaterals. Mark all the pairs of parallel sides. Hint: you can extend sides to help you. Mark the missing vertex of this quadrilateral so that 2 of the sides are perpendicular. Calculation and fluency Number, place value and number facts: 3NPV–2 and 3NF–3 3NPV–2: Recognise the place value of each digit in three-digit numbers, and compose and decompose three-digit numbers using standard and non-standard partitioning. 3NF–3: Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 10), for example: 8 6 14 and 14 6 8 so 80 60 140 and 140 60 80 3 4 12 and 12 4 3 so 30 4 120 and 120 4 30 Representations such as place-value counters and partitioning diagrams (3NPV–2), and tens-frames with place-value counters (3F–3), can be used initially to help pupils understand calculation strategies and make connections between known facts and related calculations. However, pupils should not rely on such representations for calculating. For the calculations in 3NF–3, for example, pupils should instead be able to calculate by verbalising the relationship. 140 Language focus “8 plus 6 is equal to 14, so 8 tens plus 6 tens is equal to 14 tens.” “14 tens is equal to 140.” Pupils should be developing fluency in both formal written and mental methods for addition and subtraction. Mental methods can include jottings to keep track of calculation, or language structures as exemplified above. Pupils should select the most efficient method to calculate depending on the numbers involved. 3NF–1 Fluently add and subtract within and across 10 Secure fluency in addition and subtraction facts that bridge 10, through continued practice. Pupils who are fluent in addition and subtraction facts within and across 10 have the best chance of mastering columnar addition and columnar subtraction. Teachers should make sure that fluency in addition and subtraction facts is given the same prominence as fluency in multiplication tables. Pupils should continue to practise calculating with additive facts within 10. Pupils may initially use manipulatives, such as tens frames and counters, to apply the strategies for adding and subtracting across 10 described in year 2 (2AS–1). However, they should not be using the manipulatives as a tool for finding answers, and by the end of year 3 pupils should be able to carry out these calculations mentally, using their fluency in complements to 10 and partitioning. Pupils do not need to memorise all additive facts for adding and subtracting across 10, but need to be able to recall appropriate doubles (double 6, 7, 8 and 9) and corresponding halves (half of 12, 14, 16 and 18), and use these known facts for calculations such as 6 6 12 and 18 – 9 9 . 141 3AS–2 Columnar addition and subtraction Add and subtract up to three-digit numbers using columnar methods. Pupils must be able to add 2 or more numbers using columnar addition, including calculations whose addends have different numbers of digits. Figure 101: columnar addition for calculations involving three-digit numbers For calculations with more than 2 addends, pupils should add the digits within a column in the most efficient order. For the third example above, efficient choices could include: beginning by making 10 in the ones column making double 8 in the tens column Pupils must be able to subtract 1 three-digit number from another using columnar subtraction. They should be able to apply the columnar method to calculations where the subtrahend has fewer digits than the minuend, and they must be able to exchange through 0. Figure 102: columnar subtraction for calculations involving three-digit numbers Pupils should make sensible decisions about how and when to use columnar subtraction. For example, when the minuend and subtrahend are very close together pupils may mentally find the difference, avoiding the need for column subtraction. For example, for 402–398 , pupils can see that 398 is 2 away from 400, and then there is 2 more to get to 402, so the difference is 4. This is more efficient than the corresponding columnar subtraction calculation which requires exchange through the zero. 142 3NF–2 Recall of multiplication tables Recall multiplication facts, and corresponding division facts, in the 10, 5, 2, 4 and 8 multiplication tables, and recognise products in these multiplication tables as multiples of the corresponding number. Pupils who are fluent in these multiplication table facts can solve the following types of problem by automatic recall of the relevant fact rather than by skip counting or reciting the relevant multiplication table: identifying products 8 4 3 5 10 10 solving missing-factor problems 5 45 6 48 22 2 using relevant multiplication table facts to solve division problems 35 5 40 8 Pupils should also be fluent in interpreting contextual multiplication and division problems, identifying the appropriate calculation and solving it using automatic recall of the relevant fact. This is discussed, and example questions are given, in 3MD–1. As pupils become fluent with the multiplication table facts, they should also develop fluency in related calculations as described in 3NF–3 (scaling number facts by 10). 143 Year 4 guidance Ready-to-progress criteria Year 3 conceptual prerequesite Year 4 ready-to-progress criteria Future applications Know that 10 tens are equivalent to 1 hundred, and that 100 is 10 times the size of 10. 4NPV–1 Know that 10 hundreds are equivalent to 1 thousand, and that 1,000 is 10 times the size of 100; apply this to identify and work out how many 100s there are in other four-digit multiples of 100. Solve multiplication problems that that involve a scaling structure, such as ‘10 times as long’. Recognise the place value of each digit in three-digit numbers, and compose and decompose three-digit numbers using standard and non-standard partitioning. 4NPV–2 Recognise the place value of each digit in four-digit numbers, and compose and decompose four-digit numbers using standard and non-standard partitioning. Compare and order numbers. Add and subtract using mental and formal written methods. Reason about the location of any three-digit number in the linear number system, including identifying the previous and next multiple of 10 and 100. 4NPV–3 Reason about the location of any four-digit number in the linear number system, including identifying the previous and next multiple of 1,000 and 100, and rounding to the nearest of each. Compare and order numbers. Estimate and approximate to the nearest multiple of 1,000, 100 or 10. Divide 100 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 100 with 2, 4, 5 and 10 equal parts. 4NPV–4 Divide 1,000 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 1,000 with 2, 4, 5 and 10 equal parts. Read scales on graphs and measuring instruments. Recall multiplication and division facts in the 5 and 10, and 2, 4 and 8 multiplication tables, and recognise products in these multiplication tables as multiples of the corresponding number. 4NF–1 Recall multiplication and division facts up to , and recognise products in multiplication tables as multiples of the corresponding number. Use multiplication facts during application of formal written methods. Use division facts during application of formal written methods. 144 Year 3 conceptual prerequesite Year 4 ready-to-progress criteria Future applications Use known division facts to solve division problems. Calculate small differences, for example: 4NF–2 Solve division problems, with two-digit dividends and one-digit divisors, that involve remainders, for example: and interpret remainders appropriately according to the context. Correctly represent and interpret remainders when using short and long division. Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 10), for example: 4NF–3 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 100), for example: and so and so Apply place-value knowledge to known additive and multiplicative number facts, extending to a whole number of larger powers of ten and powers of ten smaller than one, for example: Multiply two-digit numbers by 10, and divide three-digit multiples of 10 by 10. 4MD–1 Multiply and divide whole numbers by 10 and 100 (keeping to whole number quotients); understand this as equivalent to making a number 10 or 100 times the size. Convert between different metric units of measure. Apply multiplication and division by 10 and 100 to calculations involving decimals, for example: Understand the inverse relationship between multiplication and division. Write and use multiplication table facts with the factors presented in either order. 4MD–2 Manipulate multiplication and division equations, and understand and apply the commutative property of multiplication. Recognise and apply the structures of multiplication and division to a variety of contexts. 4MD–3 Understand and apply the distributive property of multiplication. Recognise when to use and apply the distributive property of multiplication in a variety of contexts. 145 Year 3 conceptual prerequesite Year 4 ready-to-progress criteria Future applications Reason about the location of fractions less than 1 in the linear number system. 4F–1 Reason about the location of mixed numbers in the linear number system. Compare and order fractions. Identify unit and non-unit fractions. 4F–2 Convert mixed numbers to improper fractions and vice versa. Compare and order fractions. Add and subtract fractions where calculation bridges whole numbers. Add and subtract fractions with the same denominator, within 1 whole, for example: 4F–3 Add and subtract improper and mixed fractions with the same denominator, including bridging whole numbers, for example: Draw polygons by joining marked points. 4G–1 Draw polygons, specified by coordinates in the first quadrant, and translate within the first quadrant. Draw polygons, specified by coordinates in the 4 quadrants. Measure lines in centimetres and metres. Add more than 2 addends. Recall multiplication table facts. 4G–2 Identify regular polygons, including equilateral triangles and squares, as those in which the side-lengths are equal and the angles are equal. Find the perimeter of regular and irregular polygons. Draw, compose and decompose shapes according to given properties, dimensions, angles or area. 4G–3 Identify line symmetry in 2D shapes presented in different orientations. Reflect shapes in a line of symmetry and complete a symmetric figure or pattern with respect to a specified line of symmetry. Draw polygons, specified by coordinates in the 4 quadrants: draw shapes following translation or reflection in the axes. 146 4NPV–1 Equivalence of 10 hundreds and 1 thousand Know that 10 hundreds are equivalent to 1 thousand, and that 1,000 is 10 times the size of 100; apply this to identify and work out how many 100s there are in other four-digit multiples of 100. 4NPV–1 Teaching guidance 4NPV–1 follows on from what children learnt in year 3 about the relationship between the units of 10 and 100 (see 3NPV–1). Pupils need to experience: what 1,000 items looks like making a unit of 1 thousand out of 10 units of 100, for example using 10 bundles of 100 straws to make 1,000, or using ten 100-value place-value counters Figure 103: ten 100-value place-value counters in a tens frame Language focus “10 hundreds is equal to 1 thousand.” Pupils must then be able to work out how many hundreds there are in other four-digit multiples of 100. Figure 104: eighteen 100-value place-value counters in 2 tens frames Language focus “18 hundreds is equal to 10 hundreds and 8 more hundreds.” “10 hundreds is equal to 1,000.” “So 18 hundreds is equal to 1,000 and 8 more hundreds, which is 1,800.” 147 The reasoning here can be described as grouping or repeated addition – pupils group or add 10 hundreds to make 1,000, then add another group of 8 hundreds. Pupils need to be able to apply this reasoning to measures contexts, as shown in the 4NPV–1 below. It is important for pupils to understand that there are hundreds within this new unit of a thousand, in different contexts. Pupils should be able to explain that numbers such as 1,800 and 3,000 are multiples of 100, because they are each equal to a whole number of hundreds. They should be able to identify multiples of 100 based on the fact that they have zeros in both the tens and ones places. As well as understanding 1,000 and other four-digit multiples of 100 in terms of grouping and repeated addition, pupils should be able to describe these numbers in terms of scaling by 10. Figure 105: place-value chart illustrating the scaling relationship between ones, tens, hundreds and thousands Language focus “1000 is 10 times the size of 100.” “1,800 is 10 times the size of 180.” 148 Making connections Learning to identify the number of hundreds in four-digit multiples of 100 should be connected to pupils’ understanding of multiplication and the grouping structure of division (2MD–1). Pupils should, for example, be able to represent 1,800 as 18 hundreds using the multiplication equations or , and be able to write the corresponding division equations and . Criterion 4MD–1 requires pupils to interpret the multiplication equations in terms of the scaling structure of multiplication, for example 1,800 is 100 times the size of 18. 4NPV–1 Example assessment questions How many 100g servings of rice are there in a 2,500g bag? One large desk costs a school £100. How much will 14 large desks cost? My school field is 100m long. How many times do I have to run its length to run 3km? My cup contains 100 ml of fizzy drink. The bottle contains 10 times as much. How many millilitres are there in the bottle? A rhino mother weighs about 1,000kg. She weighs about 10 times as much as her baby. What is the approximate weight of the baby rhino? Circle the lengths that could be made using 1 metre (100cm) sticks. 3,100cm 8,000cm 1,005cm 6,600cm 7,090cm 1,000cm 149 4NPV–2 Place value in four-digit numbers Recognise the place value of each digit in four-digit numbers, and compose and decompose four-digit numbers using standard and non-standard partitioning. 4NPV–2 Teaching guidance Pupils should be able to identify the place value of each digit in a four-digit number. They must be able to combine units of ones, tens, hundreds and thousands to compose four-digit numbers, and partition four-digit numbers into these units. Pupils need to experience variation in the order of presentation of the units, so that they understand that 40 + 300 + 2 + 5000 is equal to 5,342, not 4,325. Figure 106: 2 representations of the place-value composition of 5,342 Pupils also need to solve problems relating to subtraction of any single place-value part from the whole number, for example: 5,342 – 300 5,342 – 5,302 As well as being able to partition numbers in the ‘standard’ way (into individual place-value units), pupils must also be able to partition numbers in ‘non-standard’ ways, and carry out related addition and subtraction calculations, for example: Figure 107: partitioning 7,830 into 7,430 and 400 Figure 108: partitioning 5,050 into 2,000 and 3,050 150 4NPV–2 Example assessment questions Complete the calculations. 90 7 6,000 400 900 70 600 4 9 7,000 60 400 9,000 700 6 40 4,382 4,000 4,382 300 4,382 80 4,382 2 8,451 5,000 300 5,614 9,575 50 0 6,140 5,000 4 2,000 1 ,430 50 A football stadium can hold 6,430 people. So far 4,000 tickets have been sold for a match. How many tickets are left? On a field trip, the children need to walk 4,200m. So far they have walked 3km. How much further do they have to walk? Mr. Davis has 2 cats. One cat weighs 4,200g. The other cat weighs 3,050g. Their basket weighs 2kg. How much does the basket weigh with both cats inside it? 4NPV–3 Four-digit numbers in the linear number system Reason about the location of any four-digit number in the linear number system, including identifying the previous and next multiple of 1,000 and 100, and rounding to the nearest of each. 4NPV–3 Teaching guidance Pupils need to be able to identify or place four-digit numbers on marked number lines with a variety of scales. Pupils should also be able to estimate the value or position of four-digit numbers on unmarked numbers lines, using appropriate proportional reasoning. Pupils should apply this skill to taking approximate readings of scales in measures and statistics contexts, as shown in the Example assessment questions below. For more detail on identifying, placing and estimating positions of numbers on number lines, see year 2, 2NPV–2. 151 Pupils must also be able to identify which pair of multiples of 1000 or 100 a given four-digit number is between. To begin with, pupils can use a number line for support. In this example, for the number 8,681, pupils must identify the previous and next multiples of 1,000 and 100. Figure 109: using a number line to identify the previous and next multiple of 1,000 Figure 110: using a number line to identify the previous and next multiple of 100 Language focus “The previous multiple of 1,000 is 8,000. The next multiple of 1,000 is 9,000.” “The previous multiple of 100 is 8,600. The next multiple of 100 is 8,700.” Pupils need to be able to identify previous and next multiples of 1000 or 100 without the support of a number line. Pupils should then learn to round a given four-digit number to the nearest multiple of 1,000 by identifying the nearest of the pair of multiples of 1,000 that the number is between. Similarly, pupils should learn to round to the nearest multiple of 100. They should understand that they need to examine the digit in the place to the right of the multiple they are rounding to, for example when rounding to the nearest multiple of 1,000 pupils must examine the digit in the hundreds place. Again, pupils can initially use number lines for support, but should be able to round without that support by the end of year 4. Figure 111: identifying the nearest multiple of 1,000 with a number line for support 152 Language focus “The closest multiple of 1,000 is 9,000.” “8,681 rounded to the nearest thousand is 9,000.” Finally, pupils should also be able to count forwards and backwards from any four-digit number in steps of 1, 10 or 100. Pay particular attention to counting over ‘boundaries’, for example: 2,100, 2,000, 1,900 2,385, 2,395, 2,405 Making connections Here, pupils must apply their knowledge that 10 hundreds is equal to 1 thousand (see 4NPV–1 ) to understand that each interval of 1,000 on a number line or scale is made up of 10 intervals of 100. This also links to 4NPV–4 in which pupils need to be able to read scales divided into 2, 4, 5 and 10 equal parts. However, for the current criterion pupils are not expected to make precise placements, but instead approximate using proportional reasoning. 4NPV–3 Example assessment questions a. Which 2 numbers round to 5,600 when rounded to the nearest hundred? b. Round each number to the nearest thousand. c. Estimate the value of each number. 153 a. Estimate how much liquid is in the beaker. b. Estimate how much liquid needs to be added to make 1 litre. Estimate and mark the position of 600g on this scale. 154 The bar chart shows the number of red and blue cars that passed a school in one day. a. Estimate the number of red and blue cars that passed the school on this day. b. Estimate the number of blue cars that passed the school on this day. c. Add the following data for other coloured cars to the bar chart. Yellow Black White Number of cars 100 1,050 1,995 155 Fill in the missing numbers. 600 700 900 1 ,100 1 ,300 5,001 5,002 5,003 3,650 3,950 4,250 4,350 1 ,075 1 ,085 1 ,095 4NPV–4 Reading scales with 2, 4, 5 or 10 intervals Divide 1,000 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 1,000 with 2, 4, 5 and 10 equal parts. 4NPV–4 Teaching guidance By the end of year 4, pupils must be able to divide 1,000 into 2, 4, 5 or 10 equal parts. This is important because these are the intervals commonly found on measuring instruments and graph scales. Figure 112: bar models showing 1,000 partitioned into 2, 4, 5 and 10 equal parts Pupils should practise counting in multiples of 100, 200, 250, and 500 from 0, or from any multiple of these numbers, both forwards and backwards. This is an important step in becoming fluent with these number patterns. Pupils will have been practising counting in multiples of 1, 2 and 5 since year 1, and this supports counting in units of 100, 200 and 156 500. Pupils typically find counting in multiples of 250 the most challenging, because they only started to encounter this pattern in year 3, when counting in multiples of 25. Language focus “Twenty-five, fifty, seventy-five, one hundred” needs to be a fluent spoken language pattern. Fluency in this language pattern provides the basis to count in multiples of 250. Pupils should be able to apply this skip counting, beyond 1,000, to solve contextual multiplication and division measures problems, as shown in the 4NPV–4 below (questions 5 and 7). Pupils should also be able to write and solve multiplication and division equations related to multiples of 100, 200, 250 and 500 up to 1,000. Pupils need to be able to solve addition and subtraction problems based on partitioning 1,000 into multiples of 100, 200 and 500 based on known number bonds to 10. Pupils should also have automatic recall of the fact that 250 and 750 are bonds to 1,000. They should be able to immediately answer a question such as “I have 1 litre of water and pour out 250ml. How much is left?” Making connections 4MD–2 requires pupils to manipulate multiplication and division equations. They should therefore be able to write and manipulate multiplication and division equations related to the composition of 1,000 as discussed here. Dividing 1,000 into 10 equal parts is also assessed as part of 4NPV–1. Reading scales builds on number line knowledge from 4NPV–3 . Conversely, experience of working with scales with 2, 4, 5 or 10 divisions in this criterion improves pupils’ estimating skills when working with unmarked number lines and scales as described in 4NPV–3. 157 4NPV–4 Example assessment questions Fill in the missing numbers. 3,000 4,000 4,500 5,000 2,400 3,000 3,200 1 ,500 2,000 2,750 What is the reading on each of these scales? The beaker contains 1 litre of water. If I pour out 600ml, how much is left? Mark the new water level on the picture. A motorway repair team can build 250m of motorway barrier in 1 day. In 5 working days, how many metres of motorway barrier can can they build? How many 500ml bottles can I fill from a 3 litre container of water? 158 The pictogram shows how many cans a class recycled in 2020. How many cans did the class recycle in 2020? 1kg of strawberries is shared equally between 5 people. How many grams of strawberries do they each get? I have already swum 750m. How much further do I need to go to swim 2km? Fill in the missing parts, and write as many different equations as you can think of to describe the structure. 159 The bar charts show the number of red and blue cars that passed 3 different schools on a given day. How many red and blue cars passed each school? School A School B School C Fill in the missing numbers. 1 ,000 4 200 1 ,000 1 ,000 500 250 1 ,000 160 4NF–1 Recall of multiplication tables Recall multiplication and division facts up to 12 12 , and recognise products in multiplication tables as multiples of the corresponding number. 4NF–1 Teaching guidance The national curriculum requires pupils to recall multiplication table facts up to 12 12 , and this is assessed in the multiplication tables check. For pupils who do not have automatic recall of all of the facts by the time of the check, fluency in facts up to 9 9 should be prioritised in the remaining part of year 4. The facts to 9 9 are particularly important for progression to year 5, because they are required for formal written multiplication and division. The 36 multiplication facts that are required for formal written multiplication are as follows. During application of formal written multiplication, pupils may also need to multiply a one-digit number by 1. Multiplication of the numbers 1 to 9 by 1 are not listed here because these calculations do not need to be recalled in the same way. While pupils are learning the individual multiplication tables, they should also learn that: the factors can be written in either order and the product remains the same (for example, we can write 3 4 12 or 4 3 12 to represent the third fact in the 4 multiplication table) the products within each multiplication table are multiples of the corresponding number, and be able to recognise multiples (for example, pupils should recognise, 64 is a multiple of 8, but that 68 is not) adjacent multiples in, for example, the 8 multiplication table, have a difference of 8 161 Figure 113: number line and array showing that adjacent multiples of 8 (32 and 40) have a difference of 8 Language focus When pupils commit multiplication table facts to memory, they do so using a verbal sound pattern to associate the 3 relevant numbers, for example, “nine sevens are sixty-three”. It is important to provide opportunities for pupils to verbalise each multiplication fact as part of the process of developing fluency. It is useful for pupils to learn the multiplication tables in the following order/groups: 10 then 5 multiplication tables 2, 4 and 8 multiplication tables one after the other 3, 6, and 9 multiplication tables one after the other 7 multiplication table 11 and 12 muliplication tables The connections and patterns will help pupils to develop fluency and understanding. Pupils must also be able to apply their automatic recall of multiplication table facts to solve division problems, for example, solving 28 7 , by recalling that 28 4 7 . You can find out more about developing automatic recall of multiplication tables here in the calculation and fluency section: 4NF–1 162 Making connections Solving division problems with remainders (4NF–2 ), relies on automatic recall of multiplication facts. Criterion 4MD–2 involves linking individual multiplication facts to related multiplication and division facts. Once pupils have automatic recall of the multiplication table facts, they then have access to a whole set of related facts. For example, if pupils know that , they also know that , and . Converting mixed numbers to improper fractions (4F–2 ), also relies on automatic recall of multiplication facts. For example, converting to an improper fraction involves calculating 3 times 6 sixths plus 1 more sixth, so requires knowledge of the multiplication fact . Efficiently calculating the perimeter of a regular polygon (4G–2 ), or finding the side-length of a regular polygon, given the perimeter, depends on recall of multiplication and division facts. 4NF–1 Example assessment questions A regular hexagon has sides of 7cm. What is its perimeter? A regular octagon has a perimeter of 72cm. What is the length of each of the sides? It takes Latoya 8 minutes to walk to school. It takes Tatsuo 3 times as long. How long does it take Tatsuo to walk to school? An egg box contains 6 eggs. I need 54 eggs. How many boxes should I buy? 8 children spend a day washing cars and earn £40 altogether. If they share the money equally how much do they each get? Circle the numbers that are multiples of 3. 16 18 23 9 24 163 Assessment guidance: The multiplication tables check will assess pupils’ fluency. Once pupils can automatically recall multiplication facts, they should be able to apply their knowledge to questions like those shown here. 4NF–2 Division problems with remainders Solve division problems, with two-digit dividends and one-digit divisors, that involve remainders, for example: 74 9 8 r 2 and interpret remainders appropriately according to the context. 4NF–2 Teaching guidance Pupils should recognise that a remainder arises when there is something ‘left over’ in a division calculation. Pupils should recognise and understand why remainders only occur when the dividend is not a multiple of the divisor. This can be achieved by discussing the patterns seen when the dividend is incrementally increased by 1 while the divisor is kept the same. Total number of apples (dividend) Number of apples in each tray (divisor) Number of trays (quotient) Number of apples left over (remainder) Equation 12 4 3 0 13 4 3 1 14 4 3 2 15 4 3 3 16 4 4 0 17 4 4 1 18 4 4 2 19 4 4 3 20 4 5 0 164 A common mistake made by pupils is not making the maximum number of groups possible, for example: 17 4 3 r 5 (incorrect) The table above can be used to help pupils recognise and understand that the remainder is always smaller than the divisor. Note that when pupils use the short division algorithm in year 5, if they ‘carry over’ remainders that are larger than the divisor, the algorithm will not work. Language focus “If the dividend is a multiple of the divisor there is no remainder.” “If the dividend is not a multiple of the divisor, there is a remainder.” “The remainder is always less than the divisor.” Once pupils can correctly perform division calculations that involve remainders, they need to recognise that, when solving contextual division problems, the answer to the division calculation must be interpreted carefully to determine how to make sense of the remainder. The answer to the calculation is not always the answer to the contextual problem. Consider the following context: Four scouts can fit in each tent. How many tents will be needed for thirty scouts? Figure 114: pictorial representation and counters: with 30 scouts and 4 per tent, 7 tents are insufficient 30 4 7 r 2 Pupils may simply say that “7 remainder 2 tents are needed”, but this does not answer the question. Pupils should identify what each number in the equation represents to help them correctly interpret the result of the calculation in context. 165 Language focus “The 30 represents the total number of scouts.” “The 4 represents the number of scouts in each tent.” “The 7 represents the number of full tents.” “The 2 represents the number of scouts left over.” “We need another tent for the 2 left-over scouts. 8 tents are needed.” Figure 115: pictorial representation and counters: with 30 scouts and 4 per tent, 7 tents are insufficient Making connections Pupils must have automatic recall of multiplication facts and related division facts, and be able to recognise multiples (4NF–1 ) before they can solve division problems with remainders. For example, to calculate , pupils need to be able to identify the largest multiple of 7 that is less than 55 (in this case 49). They must then recall how many sevens there are in 49, and calculate the remainder. Converting improper fractions to mixed numbers (4F–2 ) relies on solving division problems with remainders. For example, converting to a mixed number depends on the calculation . 4NF–2 Example assessment questions Which of these division calculations have the answer of 3 r 2? 23 7 17 5 32 6 7 2 14 4 30 8 I have 60 metres of bunting for the school fair. What length of bunting will be left over if I cut it into lengths of 8 metres? 166 It takes 7 minutes to make a pom-pom. How many complete pom-poms can Malik make in 30 minutes? 23 apples are shared equally between 4 children. How many whole apples does each child get? Ruby writes: 37 5 6 r 7 Explain what mistake Ruby has made, and write the correct answer. Decide whether each calculation has a remainder or not. Explain how you can do this without doing each calculation? Has a remainder?(Yes or No) 4NF–3 Scaling number facts by 100 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 100), for example: 8 6 14 and 14 6 8 so 800 600 1 ,400 and 1 ,400 600 800 3 4 12 and 12 4 3 so 300 4 1 ,200 and 1 ,200 4 300 4NF–3 Teaching guidance Pupils should begin year 4 with automatic recall of addition and subtraction facts within 20 (3NF–1). By the end of year 4, pupils should be able to recall all multiplication table facts and related division facts. To be ready to progress to year 5, pupils must also be able to combine these facts with unitising in hundreds, including: scaling known additive facts within 10, for example, 900 600 300 scaling known additive facts that bridge 10, for example, 800 600 1 ,400 167 scaling known multiplication tables facts, for example, 300 4 1 ,200 scaling division facts derived from multiplication tables, for example, 1 ,200 4 300 For calculations such as 800 + 600 = 1,400, pupils can begin by using tens frames and counters as they did for calculation across 10 (2AS–1) and across 100 (3NF–3 ), but now using 100-value counters. Figure 116: tens frames with 100-value counters showing 800 + 600 = 1,400 8 + 6 14 800 + 600 1,400 14 – 6 8 1 ,400 – 600 800 14 – 8 6 1 ,400 – 800 600 Similarly, pupils can use 100-value counters to understand how a known multiplicative fact, such as 3 5 15 , relates to a scaled calculation, such as 300 5 1 ,500 . Pupils should be able reason in terms of unitising in hundreds, or in terms of scaling a factor by 100. 168 Figure 117: 3-by-5 array of 100-value place-value counters 3 5 15 3 500 1 ,500 Language focus “3 times 5 is equal to 15.” “3 times 5 hundreds is equal to 15 hundreds.” “15 hundreds is equal to 1,500.” 3 5 15 300 5 1 ,500 Language focus “3 times 5 is equal to 15.” “3 hundreds times 5 is equal to 15 hundreds.” “15 hundreds is equal to 1,500.” Language focus “If I multiply one factor by 100, I must multiply the product by 100.” Pupils must be able to make similar connections for known division facts. 15 3 5 1 ,500 300 5 1 ,500 3 500 Language focus “If I multiply the dividend by 100 and the divisor by 100, the quotient remains the same.” “If I multiply the dividend by 100 and keep the divisor the same, I must multiply the quotient by 100.” 169 It is important for pupils to understand all of the calculations in this criterion in terms of working with units of 100, or scaling by 100. You can find out more about fluency and recording for these calculations here in the calculation and fluency section: Number, place value and number facts: 4NPV–2 and 4NF–3 Making connections This criterion builds on pupils’ additive fluency and also on: 4NPV–1 , where pupils need to be able to work out how many hundreds there are in any four-digit multiple of 100 4NF–1 , where pupils develop fluency in multiplication and division facts Meeting this criterion also requires pupils to be able to fluently multiply whole numbers by 100 (4MD–1). 4NF–3 Example assessment questions I need 1kg of flour to make some bread. I have 800g. How many more grams of flour do I need? A builder can buy bricks in pallets of 600. How many pallets should she buy if she needs 1,800 bricks? Dexter ran round a 400m running track 6 times. How far did he run? I mix 700ml of orange juice and 600ml of lemonade to make a fruit drink for a party. What volume of fruit drink have I made in total? A farmer had 1,200m of fencing to put up round his fields. He put up the same amount of fencing each day, and it took him 6 days to put up all the fencing. How many metres of fencing did he put up each day? Fill in the missing numbers. 300 1 ,100 4,200 600 170 4MD–1 Multiplying and dividing by 10 and 100 Multiply and divide whole numbers by 10 and 100 (keeping to whole number quotients); understand this as equivalent to making a number 10 or 100 times the size. 4MD–1 Teaching guidance As well as being able to calculate multiplication and division by 10 and 100, pupils need to start to think about multiplication as scaling, so that they can conceive of dividing by 10 and 100 when there are decimal answers in year 5 (5NF–2). If pupils only understand multiplying by 10 or 100 in terms of the repeated addition/grouping structure of multiplication (for example, 23 100 is 100 groups of 23), they will struggle to conceptualise 23 100 . However, if pupils understand 23 100 as ‘23, made one-hundred times the size’, the inverse of this, 23 100 , can be thought of as ‘23 made one-hundredth times the size’. To meet criteria 4MD–1, pupils should be able to use and understand the language of 10 or 100 times the size, and understand division as the inverse action; in year 5, once pupils have learnt about tenths and hundredths they should apply the language to division by 10 and 100 (1 tenth or 1 hundredth times the size). Language focus “23, made 100 times the size, is 2,300.” “23 multiplied by 100 is equal to 2,300.” “First we had 23 ones. Now we have 23 hundreds.” “1,450 is 10 times the size of 145.” “1,450 divided by 10 is equal to 145.” “First we had 145 tens. Now we have 145 ones.” Pupils know that 1,000 is 10 times the size of 100 (4NPV–1 ), and that 100 is 10 times the size of 10 (3NPV–1). Pupils should now extend this ‘10 times the size’ relationship to other numbers, beginning with those with 1 significant figure. The Gattegno chart can be used to help pupils see, for example, that 80, made 10 times the size is 800: pupils can move their finger or a counter up from 80 to 800. They should connect this action to multiplication by 10, and be able to solve/write the corresponding multiplication calculation (80 10 800 ). Similarly, because 80 is 10 times the size of 8, they can solve 80 10 8 , moving their finger or a counter down from 80 to 8. 171 Figure 118: using the Gattegno chart to multiply and divide by 10 Pupils may also work with place-value charts. Figure 119: using a place-value chart to multiply and divide by 100 Repeated association of the written form (for example, 10 ) and the verbal form (“ten times the size”) will help pupils become fluent with the links. Pupils should also be able to relate multiplying by 10 or by 100 with the idea of multiplying a quantity of items – here they can use the verbal form “ten times as many”, for example, “200 pencils is 10 times as many as 20 pencils.” Both the Gattegno chart and the place-value chart also help pupils to see that multiplying by 100 is equivalent to multiplying by 10, and then multiplying by 10 again (and that dividing by 100 is equivalent to dividing by 10 and dividing by 10 again). The same representations can be used to extend to numbers with more than one significant digit. 13 10 130 130 10 13 130 10 1 ,300 1 ,300 10 130 13 100 1 ,300 1 ,300 100 13 172 Making connections In 3NPV–1 and 4NPV–1 , respectively, children learnt that 100 is 10 times the size of 10, and 1,000 is 10 times the size of 100. Here they applied this idea to scaling other numbers. Until 4MD–1, pupils understood, for example, to represent 23 groups of 100. Here pupils must relate the same equation to a completely different structure – the scaling of 23 by 100 (making 23 one hundred times the size). Pupils learn more about how one equation can represent different multiplicative structures in 4MD–2. 4MD–1 Example assessment questions Fill in the missing numbers. 100 11 100 100 3,500 100 10 14 10 10 250 10 Bethany has 15 marbles. Nasir has 100 times as many. How many marbles does Nasir have? Sumaya’s walk from her home to school is 130m. Millie’s walk is 10 times as far. How far does Millie walk to get to school? Fill in the missing numbers. 100 600 1 ,500 10 100 8 1 ,200 10 173 4MD–2 Manipulating the multiplicative relationship Manipulate multiplication and division equations, and understand and apply the commutative property of multiplication. 4MD–2 Teaching guidance Pupils will begin year 4 with an understanding of some of the individual concepts covered in this criterion, but they need to leave year 4 with a coherent understanding of multiplicative relationships, and how multiplication and division equations relate to the various multiplicative structures. Pupils need to be able to apply the commutativite property of multiplication in 2 different ways. The first can be summarised as ‘1 interpretation, 2 equations’. Here pupils must understand that 2 different equations can correspond to one context, for example, 2 groups of 3 is equal to 6 can be represented by 2 3 6 and by 3 2 6 . Spoken language can support this understanding. Language focus “2 groups of 3 is equal to 6.” “3, two times is equal to 6.” “2 groups of 3 is equal to 3, two times.” The second way that pupils must understand commutativity, can be summarised as ‘one equation, two interpretations’. Here, pupils must understand that a single equation, such as 2 7 14 , can be interpreted in two ways. Language focus “2 groups of 7 is equal to 14.” “7 groups of 2 is equal to 14.” “2 groups of 7 is equal to 7 groups of 2.” Pupils should understand that both interpretations correspond to the same total quantity (product). 174 Language focus “factor times factor is equal to product” “The order of the factors does not alter the product.” An array is an effective way to illustrate this. Figure 120: using an array to show that 7 groups of 2 and 2 groups of 7 both correspond to the same total quantity 175 Pupils must be able to describe what each number in the equation represents for the 2 different interpretations, in context. 7 2 14 2 7 14 Interpretation 1 Interpretation 2 Figure 121: 7 groups of 2 – 7 nests of 2 eggs and seven 2-value counters Language focus “The 2 represents number of eggs in each nest/group”. “The 7 represents the number of nests/groups.” “The 14 represents the total number of eggs/product.” Figure 122: 2 groups of 7 – 2 nests of 7 eggs and two 7-value counters Language focus “The 2 represents the number of nests/groups.” “The 7 represents the number of eggs in each nest/group.” “The 14 represents the total number of eggs/product.” Pupils should be able to bring together these ideas to understand that either of a pair of multiplication equations can have two different interpretations. Figure 123: schematic diagram summarising the commutative property of multiplication and the different grouping interpretations Pupils must understand that, because division is the inverse of multiplication, any multiplication equation can be rearranged to give division equations. The value of the product in the multiplication equation becomes the value of the dividend in the corresponding division equations. 2 7 14 7 2 14 14 2 7 14 7 2 176 This means that the commutative property of multiplication has a related property for division. Language focus “If we swap the values of the divisor and quotient, the dividend remains the same.” As with multiplication, any division equation can be interpreted in two different ways, and these correspond to quotitive and partitive division. 14 7 2 Partitive division Quotitive division Figure 121: 7 groups of 2 – 7 nests of 2 eggs and seven 2-value counters Language focus “14 shared between 7 is equal to 2.” “The 14 represents the total number of eggs.” “The 7 represents the number of nests/shares.” “The 2 represents the number of eggs in each nest/share.” Figure 122: 2 groups of 7 – 2 nests of 7 eggs and two 7-value counters Language focus “14 divided into groups of 7 is equal to 2. “The 14 represents the total number of eggs.” “The 7 represents the number of eggs in each nest/group.” “The 2 represents the number of nests/groups.” Pupils need to be able to fluently move between the different equations in a set, and understand how one known fact (such as 7 2 14 ) allows them to solve 4 different calculations each with two possible interpretations. You can find out more about fluency in manipulating multiplication and division equations here in the calculation and fluency section: 4MD–2 177 Making connections Being able to move between the grouping and sharing structures of division supports calculation. For example, irrespective of the calculation context, pupils may find it more helpful to think of the sharing (partitive) structure when calculating (1,600 shared or partitioned into 2 equal shares/parts is 800), rather than thinking about the grouping structure (800 twos in 1,600). Conversely, pupils may find it more helpful to think of in terms of the grouping (quotitive) structure (how many groups of 25 there are in 200) rather than thinking about the sharing structure (200 shared or partitioned into 25 equal shares). 4MD–2 Example assessment questions Using pictures of vases of flowers, draw two pictures which can be represented by the equation 5 4 20 . Write as many multiplication and division equations as you can to represent each picture. a. b. Write a story that could be represented by this equation 3 7 21 . Using pictures of apples in bowls, draw 2 pictures which can be represented by the equation 18 3 6 . Use 15 16 240 to write 3 other related multiplication and division equations. 45kg of animal feed is shared between some horses. They each get 5kg. How many horses were there? 1m 40cm of ribbon was cut into equal pieces. Each piece is 14cm long. How many pieces of ribbon are there? Fill in the missing numbers. 20 5 3,000 250 100 5,400 178 4MD–3 The distributive property of multiplication Understand and apply the distributive property of multiplication. 4MD–3 Teaching guidance The first place that pupils will have encountered the distributive law is within the multiplication tables themselves. Pupils have seen, for example, that adjacent multiples in the 6 times table have a difference of 6. Number lines and arrays can be used to illustrate this. Figure 124: number line and array showing that adjacent multiples of 6 (24 and 30) have a difference of 6 Pupils should be able to represent such relationships using mixed operation equations, for example: 5 6 4 6 6 or 5 6 4 6 1 6 4 6 5 6 6 or 4 6 5 6 1 6 Pupils should learn that multiplication takes precedence over addition. They should then extend this understanding beyond the multiplication tables, for example, if they are given the equation 20 6 120 , they should be able to determine that 21 6 126 , or vice versa. Pupils also need to be able to apply the distributive property to non-adjacent multiples. The array chart used to show the connection between 4 6 and 5 6 can be adapted to show the connection between 5 6 , 3 6 and 2 6 . 179 Figure 125: Array showing the relationship between , and As for adjacent multiples, pupils should be able to use mixed operation equations to represent the relationships: 5 6 3 6 2 6 3 6 5 6 2 6 2 6 5 6 3 6 Again, pupils should understand that multiplication takes precedence: the multiplications are calculated first, and then the products are added or subtracted. Pupils can use language patterns to support their reasoning. Language focus “5 is equal to 3 plus 2, so 5 times 6 is equal to 3 times 6 plus 2 times 6.” This illustrates the distributive property of multiplication: ( ) a b c a b a c and ( ) a b c a b a c Note that the examples of adjacent multiples above are simply a special case of this in which b or c is equal to 1. Pupils should then use the distributive property and known multiplication table facts to multiply 2-digit numbers (above 12) by one-digit numbers. 14 3 , for example, can be calculated by relating it to 10 3 and 4 3 : 180 Figure 126: array showing the relationship between , and 14 3 10 3 4 3 30 12 42 Pupils should recognise that factors can be partitioned in ways other than into ‘10 and a bit’. For example 14 3 could also be related to double 7 3 . Figure 127: array showing that is double 14 3 7 3 7 3 21 21 42 Pupils should be expected to extend their understanding of the distributive law to support division. For example, they should be able to connect a calculation such as 65 5 to known multiplication and division facts: “we have 3 more fives than 10 fives” or “we have 1 more 5 than 12 fives”. Making connections Pupils need to be fluent in multiplication tables to (4NF–1 ) and be able to multiply by 10 (4MD–1) to be able to efficiently apply the distributive property. Mastery of this criterion supports fluency in the 11 and 12 multiplication tables, since multiplication by 11 or 12 can be derived from multiplication by 10 and by 1 or 2, using the distributive property. The formal written methods of multiplication also depend upon the distributive property of multiplication. 181 4MD–3 Example assessment questions I had 6 flowers, each with 8 petals. If I get one more flower, how many petals do I have altogether? Jordan buys 10 packs of soft drinks for a party. Each pack contains 6 cans. One pack is lemonade and the rest are cola. How many cans of cola are there? I have a 65cm length of string. How many 5cm lengths can I make from it? Fill in the missing symbols (<, > or =). 4 6 5 6 6 3 6 3 4 6 3 6 6 4 6 6 4 4 6 5 6 4 6 6 4 5 6 Fill in the missing numbers. 4 7 3 7 16 4 10 4 4 16 4 8 4 4 A box of chocolates costs £7. How much do 16 boxes cost? Felicity is putting flowers into bunches of 5. So far she has made 4 bunches. She has 15 more flowers. a. How many bunches will she make altogether? b. How many flowers does she have altogether? 3 72 216 Explain how you can use this fact to calculate: a. 3 73 b. 4 72 182 4F–1 Mixed numbers in the linear number system Reason about the location of mixed numbers in the linear number system. 4F–1 Teaching guidance Sometimes pupils get quite far in their maths education only thinking of a fraction as a part of a whole, rather than as a number in its own right. In year 3, pupils learnt about the location in the linear number system of fractions between 0 and 1 (3F–2). For pupils to be able to add and subtract fractions across 1, or those greater than 1 (4F–3 ), they need to understand how mixed numbers fit into the linear number system. Pupils should develop fluency counting in multiples of unit fractions, using number lines for support. Counting draws attention to the equivalence of, for example, 4 4 1 and 2, or 5 5 2 and 3. Pupils should practise counting both forwards and backwards. Figure 128: number line to support counting in multiples of one quarter Figure 129: number line to support counting in multiples of one fifth Pupils should then learn to label marked number lines, extending beyond 1. A common mistake that pupils make is to count the number of marks between labelled intervals, rather than the number of parts. For example, on the number line below they may count 3 marks and incorrectly deduce that the number line is marked in thirds. Figure 130: labelling a number line marked in quarters 183 Language focus “Each interval is divided into 4 equal parts, so we count in quarters.” Pupils should also be able to estimate the value or position of mixed numbers on number lines which do not have fractional marks. Pupils must understand that it is not the absolute size of the numerator and denominator which determine the value of the fractional part of the mixed number, but the relationship between the numerator and denominator (whether the numerator is a large or small part of the denominator). Pupils need to be able to reason, for example, that 7 8 1 is close to 2, but that 7 30 1 is closer to 1. Figure 131: placing a mixed number on a number line with no fractional marks Pupils must also be able to identify the previous and next whole number, and will then be able to round to the nearest whole number, which further supports estimation and approximation. Language focus “ is between 1 and 2.” “The previous whole number is 1.” “The next whole number is 2.” Making connections Having a visual image of mixed numbers in the linear number system helps pupils to add and subtract fractions with the same denominator (including mixed numbers), for example (4F–3 ). It also supports comparison of mixed numbers, and reading scales. 184 4F–1 Example assessment questions Add labels to each mark on the number lines. What are the values of a, b, c and d? Estimate the position of the following numbers on the number line. 2 9 2 2 3 3 7 3 1 5 1 How much water is in the beaker? Write your answer as a mixed number. Circle the larger number in each of these pairs. Explain your reasoning. 3 9 3 8 9 3 1 3 4 1 8 4 1 3 2 2 3 1 185 4F–2 Convert between mixed numbers and improper fractions Convert mixed numbers to improper fractions and vice versa. 4F–2 Teaching guidance It should be noted that this criterion covers content that is in year 5 of the national curriculum. It has been included here, in year 4, to improve coherence. Pupils have already learnt that fractions where the numerator is equal to the denominator have a value of 1. This knowledge should be extended to other integers. For example, if we know that 5 5 1 , we can repeat groups of 5 5 to see that 10 5 2 and 15 5 3 and so on. Figure 132: number line showing integers expressed as fractions Language focus “When the numerator is a multiple of the denominator, the fraction is equivalent to a whole number.” Pupils can then learn to express mixed numbers as improper fractions. Figure 133: number line showing mixed number–improper fraction equivalence To convert from mixed numbers to improper fractions, pupils should use their multiplication tables facts to find the improper-fraction equivalent to the integer part of the mixed number, and then add on the remaining fractional part. Figure 134: bar model showing mixed number–improper fraction equivalence 186 Language focus “There are 2 groups of five-fifths, which is 10 fifths and 3 more fifths. This is 13 fifths.” Pupils should then learn to convert in the other direction – from improper fractions to mixed numbers. Pupils need to understand the improper fraction in terms of a multiple of a unit fraction. For example, they should be able to see 21 8 as 21 one-eighths. Pupils can initially use unit-fraction counters (here, 1 8 value counters) to represent this. Conversion to a mixed number then builds on division with remainders (4NF–2 ). In this example, since 8 one-eighths is equal to 1 whole, pupils must find how many wholes can be made from the 21 eighths, and how many eighths are left over. Figure 135: using unit fraction counters to support conversion from an improper fraction to a mixed number Language focus “We have 21 eighths. 8 eighths is equal to 1 (whole).” “21 eighths is equal to 2 groups of 8 eighths, and 5 more eighths. This is 2 and 5 eighths.” Once pupils have an understanding of the conversion process, they should not need to use counters or other similar manipulatives or drawings. 187 Making connections For pupils to succeed with this criterion, they must first be fluent in multiplication facts (4NF–1 ) and division with remainders (4NF–2 ). Converting, for example, to an improper fraction involves calculating (4NF–1). The reverse process, (converting to a mixed number) involves calculating (4NF–2). Converting between mixed numbers and improper fractions also supports efficient addition and subtraction of fractions with the same denominator (4F–3 ). Being able to move easily between the two will allow pupils to choose the most efficient calculation approach. 4F–2 Example assessment questions Which of these fractions are equivalent to a whole number? Explain how you know. 48 6 48 7 48 8 48 9 48 10 Express the following mixed numbers as improper fractions. 1 8 4 4 9 6 11 12 3 2 3 8 Express the following improper fractions as mixed numbers. 17 2 13 6 28 10 41 7 Sarah wants to convert 17 4 to a mixed number. She writes: 17 5 4 4 3 Explain what mistake Sarah has made, and write the correct answer. The school kitchen has 17 packs of butter. Each pack weighs 1 4 kg. How many kilograms of butter do they have altogether? Express your answer as a mixed number. I have a 1 2 6 m length of string. How many 1 2 m lengths can I cut? 188 4F–3 Add and subtract improper and mixed fractions (same denominator) Add and subtract improper and mixed fractions with the same denominator, including bridging whole numbers, for example: 7 4 11 5 5 5 7 2 5 8 8 8 3 3 2 4 1 5 5 5 7 8 1 4 2 5 5 5 8 7 4F–3 Teaching guidance To meet this criterion, pupils must be able to carry out the following types of calculation (with a common denominator): add and subtract 2 improper fractions add and subtract a proper fraction to/from a mixed number add and subtract one mixed number to/from another In year 3, pupils used their understanding that a non-unit fraction is a multiple of a unit fraction, for example, 2 5 is 2 lots of 1 5 .This allowed them to reason that 2 2 4 5 5 5 , because 2 lots of 1 5 plus 2 lots of 1 5 is equal to 4 lots of 1 5 , or 4 5 . Pupils should now apply this strategy to addition and subtraction involving improper fractions. Language focus “7 one-fifths plus 4 one-fifths is equal to 11 one-fifths.” Figure 136: bar model showing addition of improper fractions with the same denominator 189 The generalisation that pupils learnt for adding and subtracting fractions with the same denominator within 1 whole therefore also extends to improper fractions. Language focus “When adding fractions with the same denominators, just add the numerators.” “When subtracting fractions with the same denominators, just subtract the numerators.” When adding and subtracting mixed numbers, pupils can convert them to improper fractions and apply this generalisation. This is sometimes a good approach. However this isn’t always necessary, or the most efficient choice, and pupils should learn to use their knowledge of the composition of mixed numbers to add and subtract. Figure 137: number line and pie model showing subtraction of a fraction from a mixed number (same denominator) Pupils must also be able to add and subtract across a whole number, for example: 2 4 1 5 5 5 7 8 1 4 2 5 5 5 8 7 Addition strategies include: adding to reach the whole number, then adding the remaining fraction Figure 138: number line showing strategy for adding across a whole number 190 adding the fractional parts first to give an improper fraction, which is then converted to a mixed number and added Figure 139: pie model showing strategy for adding across a whole number Before pupils attempt to subtract across a whole number (for example, 1 4 5 5 8 ), they should first learn to subtract a proper fraction from a whole number (for example, 3 5 8 ). Pupils can find this challenging, so number lines and bar or pie models can be useful. Once pupils can do this, they should be able to subtract across the whole number by using: a ‘subtracting through the whole number’ strategy (partitioning the subtrahend) – part of the subtrahend is subtracted to reach the whole number, then the rest of the subtrahend is subtracted from the whole number or a ‘subtracting from the whole number’ strategy (partitioning the minuend) – the subtrahend is subtracted from the whole number part of the minuend, then the remaining fractional part of the minuend is added Subtracting through the whole number 1 4 1 1 3 5 5 5 5 5 3 5 2 5 8 8 8 7 Subtracting from the whole number 1 4 4 1 5 5 5 5 1 1 5 5 2 5 8 8 7 7 Finally, pupils need to be able add one mixed number to another, and subtract one mixed number from another. 2 3 5 9 9 9 4 1 5 5 3 2 9 9 9 5 1 4 Pupils should initially solve problems where addition or subtraction of the fractional parts does not bridge a whole number. Both pie models, as above, and partitioning diagrams 191 can be used to support addition, by partitioning both of the mixed numbers into their whole number and fractional parts. Pupils should not extend the method for addition – partitioning both mixed fractions – to subtraction of one mixed number from another. Pupils should instead use a similar strategy to that used for subtraction of one two-digit number from another (2AS–2), only partitioning the subtrahend. Figure 140: pie model showing strategy for subtracting across a whole number This is important when subtraction of the fractional parts bridges a whole number, to avoid pupils writing a calculation that involves negative fractions. Making connections In 4F–2 , pupils learnt to convert between improper fractions and mixed numbers. One strategy for adding and subtracting mixed numbers is to convert them to improper fractions before adding/subtracting and then to convert the answer back again. Pupils also need to draw on these conversions when addition of mixed numbers results in an improper fraction. For example, pupils should be expected to convert an answer such as to . In 4F–1, pupils learnt to position mixed numbers on a number line. This supports bridging through a whole number, for example understanding that . Some of the strategies covered in this criterion are analogous to those that pupils have used for whole numbers. The 2 strategies presented for adding and subtracting across a whole number mirror those for adding and subtracting across 10, which pupils learnt in year 2 (2NF–1). The strategies presented for adding and subtracting two mixed numbers mirror those for adding and subtracting 2 two-digit numbers (2AS–2) – for addition, partition both addends; and for subtraction, partition only the subtrahend. If pupils can see these connections, they will be able to calculate more confidently with fractions, seeing them as just another type of number. 192 4F–3 Example assessment questions It is a 3 4 2 km cycle ride to my friend’s house, and a further 3 4 kmride to the park. How far do I have to cycle altogether? I have 5m of rope. I cut off 4 10 m. How much rope is left? Fill in the missing numbers. 4 4 4 7 7 7 1 4 6 7 7 7 2 2 3 The table below shows the number of hours Josie read each day during a school week. For how long did Josie read altogether? MonTuesWedThursFrihours1hourhourshourshours A tailor has 7 10 3 m of ribbon. She uses 9 10 1 m to complete a dress. How much ribbon is left? 4G–1 Draw polygons specified by coordinates or by translation Draw polygons, specified by coordinates in the first quadrant, and translate within the first quadrant. 4G–1 Teaching guidance Pupils should already be adept at placing markings at specific points, and joining these accurately with a ruler to draw a polygon (3G–1). Pupils can begin by describing translations of polygons drawn on squared paper, by counting how many units to the left/right and up/down the polygon has been translated. 193 Figure 141: translation of a polygon on a square grid Language focus “The polygon has been translated 4 squares to the right and 3 squares down.” Pupils should then learn to translate polygons on squared paper according to instructions that describe how many units to move the polygon to the left/right and up/down. Pupils can translate each point of the polygon individually, for example, translating each point right 4 and down 3 to mark the new points, and then joining them. Alternatively, pupils can translate and mark one point, then mark the other points of the polygon relative to the translated point. In year 4, pupils must start to use coordinate geometry, beginning with the first quadrant. Initially, pupils can work with axes with no number labels, marking specified points as a translation from the origin, described as above. For example, “Start at the origin and mark a point along 5, and up 4.” Figure 142: marking a point relative to the origin (O) on a grid with no number labels 194 Finally, pupils should learn to use coordinate notation with number labels on the axes. They must be able to mark the position of points specified by coordinates, and write coordinates for already marked points. Figure 143: marking a point on a grid with number labels When pupils first start to mark points, they should still start at the origin, moving along and then up as specified by the coordinates. If they do not do this, they are likely to place a point such as (5, 4) by just looking for a 5 and a 4, and possibly end up placing the point at (4, 5). Language focus “First count along the x-axis, then count along the y-axis.” Pupils should then be able to draw polygons by marking and joining specified coordinates. Making connections In 4NPV–3 , 4NPV–4 and 4F–1, and in previous year groups, pupils learnt to place or identify specified points (numbers) on a number line or scale. In this criterion children learn to place or identify specified points with reference to 2 number lines. 195 4G–1 Example assessment questions Translate the quadrilateral so that point A moves to point B. A kite has been translated from position A to position B. Describe the translation. Mark the points, and join them to make a square. (3,1) (2,4) (5,5) (6,2) 196 This triangle is translated so that point A moves to (4, 3). Draw the shape in its new position. Mark the following points, and join them to make a polygon. (5, 0) (3, 1) (5, 2) (7, 1) a. What is the name of the polygon that you have drawn? b. Translate the polygon you have just drawn left 2 and up 3. What are the coordinates of the vertices of this new polygon? 197 4G–2 Perimeter: regular and irregular polygons Identify regular polygons, including equilateral triangles and squares, as those in which the side-lengths are equal and the angles are equal. Find the perimeter of regular and irregular polygons. 4G–2 Teaching guidance Pupils must be able to identify regular polygons, and reason why a given polygon is regular. Language focus “This is a regular polygon, because all of the sides are the same length, and all of the interior angles are equal.” Pupils often define a regular polygon as having equal side-lengths and neglect to mention the angles – it is important that pupils consider both sides and angles when assessing and describing whether a polygon is regular. Pupils should examine and discuss a wide range of irregular shapes, including examples with equal angles, but unequal side-lengths (shape d below), examples with equal angles, but unequal interior angles and unequal side-lengths (shape c below), and examples with equal side-lengths, but unequal angles (shape e below). Figure 144: a regular octagon and 4 irregular octagons Pupils can make different polygons with equal length geo-strips to explore regular shapes and irregular shapes with equal side-lengths but unequal angles. Pupils should compare angles using informal language, and begin to discuss whether angles are smaller than a right angle (acute), larger than a right angle but smaller than a ‘straight line’ (180°) (obtuse), or larger than a ‘straight line’ (180°) (reflex) in preparation for measuring angles with a protractor in year 5. 198 Pupils should also learn that equilateral triangles are regular triangles, and that squares are regular quadrilaterals. Pupils need to understand perimeter as the total distance around the outside of a shape, and be able to measure or calculate the perimeter of shapes with straight sides. Pupils should be able to measure side-lengths in centimetres or metres, as appropriate, using skills developed from year 1 onwards. They should use an appropriate strategy to find the perimeter of a given polygon, according to the property of the shape. Shape type Strategy for calculating the perimeter rectilinear shapes on centimetre-square-grids count the number of centimetre lines around the shape Figure 145: incorrect and correct methods for finding the perimeter of a rectilinear shape on a square grid Drawn to scale. polygons with equal side-lengths use multiplication: polygons with unequal side-lengths use addition: perimeter = sum of the side-lengths 199 Shape type Strategy for calculating the perimeter rectangles use doubling and addition: or Figure 146: 2 strategies for calculating the perimeter of a rectangle Drawn to scale. As well as working with ‘small’ shapes in the classroom, pupils should gain experience working with larger shapes, such as calculating the perimeter of a rectilinear area drawn on the playground in metres. Making connections Pupils must be fluent in multiplication table facts (4NF–1 ) to efficiently calculate the perimeter of polygons with equal side-lengths. They must also be able to apply appropriate strategies for adding more than 2 numbers to calculate the perimeter of irregular polygons. 200 4G–2 Example assessment questions Taro uses some 8cm sticks to make these shapes. Name each shape and find its perimeter. Drawn to scale. What is the perimeter of this shape? Drawn to actual size. Sarah draws a rhombus with a perimeter of 36cm. What is the length of each side? Here is a plan of a school playground. How many metres of fencing is needed to put a fence around the perimeter? Drawn to scale. 201 Name each shape and say whether it is regular or irregular. Explain your reasons. 4G–3 Identify line symmetry in 2D shapes Identify line symmetry in 2D shapes presented in different orientations. Reflect shapes in a line of symmetry and complete a symmetric figure or pattern with respect to a specified line of symmetry. 4G–3 Teaching guidance Identifying line symmetry requires pupils to be able to decompose shapes: where line symmetry exists within a shape, the shape can be split into two parts which are a reflection of one another. Pupils should learn to compose a symmetrical shape from two congruent shapes. Figure 147: composing shapes from two identical isosceles triangles Pupils should then learn to identify line symmetry in given symmetrical shapes. They can begin by folding or cutting paper shapes, or using a mirror, but should eventually be able to do this by mapping corresponding points in relation to the proposed line of symmetry. They should be able to explain why a particular shape is symmetrical, or why a given line is a line of symmetry. 202 Language focus “This is a line of symmetry because it splits the shape into two equal parts which are mirror images.” Pupils need to be able to identify line symmetry regardless of the orientation a shape is presented in, including cases where the line of symmetry is neither a horizontal nor a vertical line. For the second part of this criterion, pupils must be able to reflect shapes in a line of symmetry, both where the line dissects the original shape (see 4G–3 Example assessment questions ) and where it does not, and complete symmetrical patterns. Figure 148: reflecting a shape in a line of symmetry Figure 149: a symmetrical pattern 4G–3 Example assessment questions Draw one or more lines of reflection symmetry in each of these irregular hexagons. 203 Reflect the three shapes in the mirror line. Complete the shape by reflecting it in the mirror line. Name the polygon that you have completed. 204 Draw a line of symmetry on each shape. Are you able to draw more than one line of symmetry on any of the shapes? Complete the symmetrical pattern. Calculation and fluency Number, place value and number facts: 4NPV–2 and 4NF–3 4NPV–2 Recognise the place value of each digit in four-digit numbers, and compose and decompose four-digit numbers using standard and non-standard partitioning. 4NF–3 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 100), for example: 8 6 14 and 14 6 8 so 800 600 1 ,400 and 1 ,400 600 800 3 4 12 and 12 4 3 so 300 4 1 ,200 and 1 ,200 4 300 Representations such as place-value counters and partitioning diagrams (4NPV–2 ) and tens-frames with place-value counters (4NF–3), can be used initially to help pupils understand calculation strategies and make connections between known facts and related calculations. However, pupils should not rely on such representations for calculating. For the calculations in 4NF–3, for example, pupils should instead be able to calculate by verbalising the relationship. 205 Language focus “8 plus 6 is equal to 14, so 8 hundreds plus 6 hundreds is equal to 14 hundreds.” “14 hundred is equal to 1,400.” Pupils should be developing fluency in both formal written and mental methods for addition and subtraction. Mental methods can include jottings to keep track of calculation, or language structures as exemplified above. Pupils should select the most efficient method to calculate depending on the numbers involved. Addition and subtraction: extending 3AS–3 Pupils should also extend columnar addition and subtraction methods to four-digit numbers. Pupils must be able to add 2 or more numbers using columnar addition, including calculations whose addends have different numbers of digits. Figure 150: columnar addition for calculations involving four-digit numbers For calculations with more than 2 addends, pupils should add the digits within a column in the most efficient order. For the third example above, efficient choices could include: beginning by making 10 in the ones column making double-6 in the hundreds column Pupils must be able to subtract one four-digit number from another using columnar subtraction. They should be able to apply the columnar method to calculations where the subtrahend has fewer digits than the minuend, and must be able to exchange through 0. 206 Figure 151: columnar subtraction for calculations involving four-digit numbers Pupils should make sensible decisions about how and when to use columnar subtraction. For example, when the minuend is a multiple of 1,000, they may transform to an equivalent calculation before using column subtraction, avoiding the need to exchange through zeroes. Figure 152: transforming a columnar subtraction calculation to an equivalent calculation 4NF–1 Recall of multiplication tables Recall multiplication and division facts up to 12 12 , and recognise products in multiplication tables as multiples of the corresponding number. Recall of all multiplication table facts should be the main multiplication calculation focus in year 4. Pupils who leave year 4 fluent in these facts have the best chance of mastering short multiplication in year 5. Pupils who are fluent in multiplication table facts can solve the following types of problem by automatic recall of the relevant fact rather than by skip counting or reciting the relevant multiplication table: 8 9 3 12 6 6 (identify products) 5 45 8 48 121 11 (solve missing-factor problems) 35 7 63 9 (use relevant multiplication table facts to solve division problems) 207 Pupils should also be fluent in interpreting contextual multiplication and division problems, identifying the appropriate calculation and solving it using automatic recall of the relevant fact. Examples are given in 4NF–1 Example assessment questions. As pupils become fluent with the multiplication table facts, they should also develop fluency in related calculations as described in 4NF–3 (scaling number facts by 100). Pupils should also develop fluency in multiplying and dividing by 10 and 100 (4MD–1). 4MD–2 Manipulating the multiplicative relationship Manipulate multiplication and division equations, and understand and apply the commutative property of multiplication. Pupils who are fluent in manipulating multiplicative expressions can solve the following types of problem: 4 7 6 5 9 9 (apply understanding of the inverse relationship between multiplication and division to solve missing-dividend problems) 72 8 35 5 81 9 (solve missing-divisor problems) To solve missing-divisor problems, pupils can use their understanding that the divisor and the quotient can be swapped, so that 72 8 , for example, is solved using 72 8 . Alternatively they can use their understanding of the relationship between multiplication and division, and solve the related missing-factor problem (here 8 72 ). In either case, pupils will then need to apply their multiplication table fluency (here ‘9 eights are 72’) to finally identify the missing divisor. 208 Year 5 guidance Ready-to-progress criteria Year 4 conceptual prerequesite Year 5 ready-to-progress criteria Future applications Know that 10 hundreds are equivalent to 1 thousand, and that 1,000 is 10 times the size of 100; apply this to identify and work out how many 100s there are in other four-digit multiples of 100. 5NPV–1 Know that 10 tenths are equivalent to 1 one, and that 1 is 10 times the size of 0.1. Know that 100 hundredths are equivalent to 1 one, and that 1 is 100 times the size of 0.01. Know that 10 hundredths are equivalent to 1 tenth, and that 0.1 is 10 times the size of 0.01. Solve multiplication problems that have the scaling structure, such as ‘ten times as long’. Understand that per cent relates to ‘number of parts per hundred’, and write percentages as a fraction with denominator 100, and as a decimal fraction. Recognise the place value of each digit in four-digit numbers, and compose and decompose four-digit numbers using standard and non-standard partitioning. 5NPV–2 Recognise the place value of each digit in numbers with up to 2 decimal places, and compose and decompose numbers with up to 2 decimal places using standard and non-standard partitioning. Compare and order numbers, including those with up to 2 decimal places. Add and subtract using mental and formal written methods. Reason about the location of any four-digit number in the linear number system, including identifying the previous and next multiple of 1,000 and 100, and rounding to the nearest of each. 5NPV–3 Reason about the location of any number with up to 2 decimals places in the linear number system, including identifying the previous and next multiple of 1 and 0.1 and rounding to the nearest of each. Compare and order numbers, including those with up to 2 decimal places. Estimate and approximate to the nearest 1 or 0.1. Divide 1,000 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in multiples of 1,000 with 2, 4, 5 and 10 equal parts. 5NPV–4 Divide 1 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in units of 1 with 2, 4, 5 and 10 equal parts. Read scales on graphs and measuring instruments. 209 Year 4 conceptual prerequesite Year 5 ready-to-progress criteria Future applications Divide 100 and 1,000 into 2, 4, 5 and 10 equal parts. Find unit fractions of quantities using known division facts (multiplication tables fluency). 5NPV–5 Convert between units of measure, including using common decimals and fractions. Read scales on measuring instruments, and on graphs related to measures contexts. Solve measures problems involving different units by converting to a common unit. Recall multiplication and division facts up to . Solve division problems, with two-digit dividends and one-digit divisors, that involve remainders, for example: 5NF–1 Secure fluency in multiplication table facts, and corresponding division facts, through continued practice. Use multiplication facts during application of formal written layout. Use division facts during short division and long division. Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 10 or 100), for example: 5NF–2 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 1 tenth or 1 hundredth), for example: Recognise number relationships within the context of place value to develop fluency and efficiency in calculation. Multiply and divide whole numbers by 10 and 100 (keeping to whole number quotients); understand this as equivalent to scaling a number by 10 or 100. 5MD–1 Multiply and divide numbers by 10 and 100; understand this as equivalent to making a number 10 or 100 times the size, or 1 tenth or 1 hundredth times the size. Convert between different metric units of measure. 210 Year 4 conceptual prerequesite Year 5 ready-to-progress criteria Future applications Recall multiplication and division facts up to , and recognise products in multiplication tables as multiples of the corresponding number. Recognise multiples of 10, 100 and 1,000. Apply place-value knowledge to known additive and multiplicative number facts. Multiply and divide whole numbers by 10 and 100 (keeping to whole number quotients). 5MD–2 Find factors and multiples of positive whole numbers, including common factors and common multiples, and express a given number as a product of 2 or 3 factors. Solve contextual division problems. Simplify fractions. Express fractions in the same denomination. Recall multiplication facts up to . Manipulate multiplication and division equations. 5MD–3 Multiply any whole number with up to 4 digits by any one-digit number using a formal written method. Solve contextual and non-contextual multiplication problems using a formal written method. Recall multiplication and division facts up to . Manipulate multiplication and division equations. Solve division problems, with two-digit dividends and one-digit divisors, that involve remainders, for example: and interpret remainders appropriately according to the context. 5MD–4 Divide a number with up to 4 digits by a one-digit number using a formal written method, and interpret remainders appropriately for the context. Solve contextual and non-contextual division problems using a formal written method. Recall multiplication and division facts up to . Find unit fractions of quantities using known division facts (multiplication-tables fluency). Unitise using unit fractions (for example, understand that there are 3 one-fifths in three-fifths). 5F–1 Find non-unit fractions of quantities. Solve multiplication problems that have the scaling structure. 211 Year 4 conceptual prerequesite Year 5 ready-to-progress criteria Future applications Recall multiplication and division facts up to . Reason about the location of fractions in the linear number system. 5F–2 Find equivalent fractions and understand that they have the same value and the same position in the linear number system. Compare and order fractions. Use common factors to simplify fractions. Use common multiples to express fractions in the same denomination. Add and subtract fractions with different denominators and mixed numbers, using the concept of equivalent fractions. Divide powers of 10 into 2, 4, 5 and 10 equal parts. 5F–3 Recall decimal fraction equivalents for , , and , and for multiples of these proper fractions. Read scales on graphs and measuring instruments. Know percentage equivalents of common fractions. Recognise right angles as a property of shape or a description of a turn, and identify right angles in 2D shapes presented in different orientations. Identify whether the interior angles of a polygon are equal or not. 5G–1 Compare angles, estimate and measure angles in degrees (°) and draw angles of a given size. Solve problems involving missing angles. Compose polygons from smaller shapes. Recall multiplication facts up to . 5G–2 Compare areas and calculate the area of rectangles (including squares) using standard units. Calculate the area of compound rectilinear shapes and other 2D shapes, including triangles and parallelograms, using standard units. Use the relationship between side-length and perimeter, and between side-length and area to calculate unknown values. 212 5NPV–1 Tenths and hundredths Know that 10 tenths are equivalent to 1 one, and that 1 is 10 times the size of 0.1. Know that 100 hundredths are equivalent to 1 one, and that 1 is 100 times the size of 0.01. Know that 10 hundredths are equivalent to 1 tenth, and that 0.1 is 10 times the size of 0.01. 5NPV–1 Teaching guidance This criterion follows on from what pupils learnt in years 3 and 4 about the relationship between adjacent place-value positions. The value of a given digit is made 10 times the size if it is moved 1 position to left, and is made one tenth times the size if it is moved 1 position to the right. Pupils should learn, therefore, that we can extend the place-value chart to include positions to the right of the ones place. Figure 153: place-value chart illustrating the scaling relationship between adjacent positions, including tenths and hundredths Pupils should understand that: a ‘1’ in the tenths column has a value of one tenth, and is one tenth the size of 1 a ‘1’ in the hundredths column has a value of one hundredth, and is one hundredth the size of 1 Pupils should learn that the decimal point is used between the ones digit and the tenths digit, so that we can write decimal numbers without using a place-value chart. They should learn that one tenth is written as 0.1 and one hundredth is written as 0.01. 213 Pupils must be able to describe the relationships between 1, 0.1 and 0.01. Language focus “1 is 10 times the size of one-tenth.” “One-tenth is 10 times the size of one-hundredth.” “1 is 100 times the size of one-hundredth.” As well as understanding one-tenth and one-hundredth as scaling 1, pupils must understand them in terms of regrouping and exchanging. Dienes can be used to illustrate the relative size of 1, one-tenth and one-hundredth, with a ‘flat’ now representing 1. Pupils should experience how 10 hundredths can be regrouped into one-tenth, and how both 10 tenths and 100 hundredths can be regrouped into 1 one. Conversely they should be able to exchange 1 one for 10 tenths or for 100 hundredths and 1 tenth for 10 hundredths. Figure 154: using Dienes to represent 1, one-tenth and one-hundredth Figure 155: using Dienes to represent the equivalence of 1 tenth and 10 hundredths 214 Pupils must describe the equivalence between the different quantities using unitising language (unitising in ones, tenths and hundredths). Language focus “10 tenths is equal to 1 one.” “10 hundredths is equal to 1 tenth.” “100 hundredths is equal to 1 one.” Once pupils understand the relative size of these new units, they should learn to use place-value counters to represent the equivalence. Pupils must then be able to work out how many tenths there are in other multiples of 0.1 and how many hundredths there are in other multiples of 0.01. Initially pupils should work with values that involve only the tenths place (for example 0.4) or only the hundredths place (for example 0.04). Once they have learnt to write numbers with tenths and hundredths (5NPV–2), they should be able to reason, for example, that: 18 hundredths is equal to 1 tenth and 8 hundredths, and is written as 0.18 18 tenths is equal to 1 one and 8 tenths, and is written as 1.8 Figure 156: eighteen 0.01-value place-value counters in 2 tens frames Language focus “18 hundredths is equal to 10 hundredths and 8 more hundredths.” “10 hundredths is equal to 1 tenth.” “So 18 hundredths is equal to 1 tenth and 8 more hundredths, which is 0.18.” Pupils need to be able to apply this reasoning to measures contexts, as shown in the Example assessment questions below. 215 This learning should also be connected to pupils’ understanding of fractions – they should understand that one-tenth can be written as both 0.1 and 1 10 and that one hundredth can be written as both 0.01 and 1 100 . Pupils should be able to write, for example, 18 hundredths as both 0.18 and 18 100 . Making connections Pupils need to be able to write numbers in decimal notation (5NPV–2) to be able to make the connection between, for example 18 tenths and 1.8. Meeting 5NPV–1 also supports 5NF–2 (applying place value to known number facts) because, if pupils can unitise in tenths and hundredths, and, for example understand that 12 tenths = 1.2 and 12 hundredths = 0.12, then they can reason that: (5 tenths plus 7 tenths is equal to 12 tenths, which is 1.2) (3 hundredths times 4 is equal to 12 hundredths, which is 0.12) 5NPV–1 Example assessment questions An apple weighs about 0.1kg. Approximately how many apples are there in a 1.8kg bag? I have a 0.35m length of wooden rod. How many 0.01m lengths can I cut it into? Mrs Jasper is juicing oranges. Each orange makes about 0.1 litres of juice. If Mrs Jasper juices 22 oranges, approximately how many litres of orange juice will she get? Circle all of the numbers that are equal to a whole number of tenths. 0.2 4.8 1 0.01 10 0.83 Fill in the missing numbers. 0.01 1 0.1 1 1 0.01 0.
Fill in the missing numbers. tenths 3.9 hundredths 0.22 hundredths 8 216 Match the numbers on the left with the equivalent fractions on the right. 0.20 0.02 0.12 0.21 5NPV–2 Place value in decimal fractions Recognise the place value of each digit in numbers with up to 2 decimal places, and compose and decompose numbers with up to 2 decimal places using standard and non-standard partitioning. 5NPV–2 Teaching guidance Pupils must be able to read, write and interpret decimal fractions with up to 2 decimal places. Pupils should work first with decimal fractions with one significant digit (for example, 0.3 and 0.03). The Gattegno chart is a useful tool here. Figure 157: Gattegno chart showing thousands, hundreds, tens, ones, tenths and hundredths The number 300 is spoken as “three hundred” rather than as “three-zero-zero”, and this helps pupils to identify the value of the 3 in 300. However, decimal fractions are usually spoken as digits, for example, 0.03 is spoken as “zero-point-zero-three” (or “nought-point-nought-three”) rather as “three hundredths”. As such, pupils need to practise speaking decimal fractions in both ways and learn to convert from one to the other. 217 Language focus “Three hundredths is zero-point-zero-three.” Pupils must then learn to work with decimal fractions with 2 significant digits (for example, 0.36). For any given decimal fraction of this type, pupils must be able to connect the spoken words (zero-point-three-six), the value in decimal notation (0.36), describing the number of tenths and hundredths (3 tenths and 6 hundredths) and visual representations (such as place-value counters and the Gattegno chart). Figure 158: 4 different represenations of 0.36 Pupils should be able to identify the place value of each digit in numbers with up to 2 decimal places. They must be able to combine units of hundredths, tenths, ones, tens, hundreds and thousands to compose numbers, and partition numbers into these units. Pupils need to experience variation in the order of presentation of the units, so that they understand that 0.4 3 0.02 50 is equal to 53.42, not 43.25. Figure 159: 2 representations of the place-value composition of 53.42 218 Pupils also need to solve problems relating to subtraction of any single place-value part from the whole number, for example: 53.42 – 3 53.42 – 53.02 As well as being able to partition numbers in the ‘standard’ way (into individual place-value units), pupils must also be able to partition numbers in ‘non-standard’ ways and carry out related addition and subtraction calculations, for example: Figure 160: partitioning 7.83 into 7.43 and 0.4 Figure 161: partitioning 0.25 into 0.22 and 0.03 You can find out more about fluency and recording for these calculations here in the calculation and fluency section: Number, place value and number facts: 5NPV–2 and 5NF–2 5NPV–2 Example assessment questions Complete the calculations. 4 0.07 0.2 0.4 0.02 70 20 0.07 4 0.4 20 700 Circle the numbers that add together to give a total of 0.14 0.04 0.12 0.1 0.2 219 Fill in the missing numbers. 3.87 0.8 25.14 – 0.04 19.7 – 9 99.99 90 84.51 50 0.3 5.61 95.75 – 0.5 6.14 5 0.04 2 1.43 0.05 I have 3.7kg of modelling clay. If we use 2kg, how much will be left? I will use 0.65 litres of milk for one recipe, and 0.23 litres of milk for another. How much milk will I use altogether? Ilaria jumped 3.19m in a long jump competition. Emma jumped 3.12m. How much further did Ilaria jump than Emma? Maya cycled 7.3km to get to her friend’s house, and then cycled a further 0.6km to the park. How far did Maya cycle altogether? 5NPV–3 Decimal fractions in the linear number system Reason about the location of any number with up to 2 decimals places in the linear number system, including identifying the previous and next multiple of 1 and 0.1 and rounding to the nearest of each. 5NPV–3 Teaching guidance Pupils need to become familiar with the relative positons, on a number line, of numbers with 1 and 2 decimal places. They will need to see number lines with both tenths and intermediate hundredths values marked, and learn, for example, that 0.5 is the same as 0.50 and 3 is the same as 3.0 or 3.00. Pupils should recognise the magnitude and position of a given decimal fraction, irrespective of the precision it is given to, for example, 5 tenths lies between 0.45 and 0.55 on the number line below, whether it is represented as 0.5 or 0.50. Figure 162: 0 to 1 number line marked and labelled in intervals of 5 hundredths Pupils need to be able to identify or place decimal fractions on number lines marked in tenths and/or hundredths. They should use efficient strategies and appropriate reasoning, including identifying the midpoints or working backwards from a whole number or a multiple of one tenth. 220 Figure 163: identifying 0.14 and 0.41 on a 0 to 0.5 number line marked with intervals of hundredths Language focus “a is 0.14 because it is 1 hundredth less than the midpoint of 0.1 and 0.2, which is 0.15.” “b is 0.41 because it is 1 hundredth more than 0.4.” Pupils need to be able to estimate the value or position of decimal fractions on unmarked or partially marked numbers lines, using appropriate proportional reasoning, rather than counting on from a start point or back from an end point. For example, here pupils should reason: “8.6 is about here on the number line because it’s just over half way”. Figure 164: placing 8.6 on an unmarked 8 to 9 number line Here, pupils should reason: “8.75 is about here on the number line because it’s the midpoint of 8.7 and 8.8.” Figure 165: placing 8.75 on an 8 to 9 number line marked only in tenths Pupils must also be able to identify which whole numbers, or which pair of multiples of 0.1, a given decimal fraction is between. To begin with, pupils can use a number line for support. In this example, for the number 8.61, pupils must identify the previous and next whole number, and the previous and next multiple of 0.1. Figure 166: using a number line to identify the previous and next whole number 221 Figure 167: using a number line to identify the previous and next multiple of 0.1 Language focus “The previous whole number is 8. The next whole number is 9.” “The previous multiple of 0.1 is 8.6. The next multiple of 0.1 is 8.7.” By the end of year 5 pupils need to be able to complete this type of task without the support of a number line. Pupils should then learn to round a given decimal fraction to the nearest whole number by identifying the nearest of the pair of whole numbers that the decimal fraction is between. Similarly, pupils should learn to round to the nearest multiple of 0.1. They should understand that they need to examine the digit in the place to the right of the unit they are rounding to, for example when rounding to the nearest whole number, pupils must examine the digit in the tenths place. Again, pupils can initially use number lines for support, but should be able to round without that support by the end of year 5. Figure 168: identifying the nearest whole number with a number line for support Language focus “The closest whole number is 9.” “8.61 rounded to the nearest whole number is 9.” 222 Finally, pupils should also be able to count forwards and backwards from any decimal fraction in steps of 1, 0.1 or 0.01. Pay particular attention to counting over ‘boundaries’, for example: 2.1, 2.0, 1.9 2.85, 2.95, 3.05 Making connections Here, pupils must apply their knowledge that 10 tenths is equal to 1 one (see 5NPV–1) to understand that each interval of 1 on a number line or scale is made up of 10 intervals of 0.1. Similarly, they must use their knowledge that 10 hundredths is equal to 1 tenth to understand that each interval of 0.1 on a number line or scale is made up of 10 intervals of 0.01. This also links to 5NPV–4, in which pupils need to be able to read scales divided into 2, 4, 5 and 10 equal parts. 5NPV–3 Example assessment questions Place each of these numbers on the number line. 0.6 0.16 0.91 0.09 0.69 The table shows how far some children jumped in a long-jump competition. NameDistance jumped (m)Jamal3.04Reyna3.40Faisal2.85Ilaria3.19Charlie3.09Kagendo2.90 a. Who jumped the furthest and won the competition? b. Who came third in the competition? 223 c. How much further did Kagendo jump then Faisal? d. How much further did Ilaria jump than Charlie? Fill in the missing symbols (<, > or =). 0.3 0.5 0.03 0.05 0.50 0.5 9 9.00 0.2 0.15 0.11 0.09 1.01 1.1 3 2.99 140 1.40 Here is a weighing scale. Estimate the mass in kilograms that the arrow is pointing to. Estimate and mark the position of 0.7 litres on this beaker. 224 Fill in the missing numbers. 5.01 5.02 5.03 3.65 3.95 4.25 4.35 27.9 27.8 27.7 A farmer weighed each of 6 new-born lambs. Round the mass of each lamb to the nearest whole kilogram. Rounded to nearest whole kilogram 5.19kg 6.7kg 4.08kg 6.1kg 6.45kg 4.91kg I need 4.25 metres of ribbon. a. How much is this to the nearest tenth of a metre? b. How much is this to the nearest metre? c. If ribbon is sold only in whole metres, how many metres do I need to buy? 225 5NPV–4 Reading scales with 2, 4, 5 or 10 intervals Divide 1 into 2, 4, 5 and 10 equal parts, and read scales/number lines marked in units of 1 with 2, 4, 5 and 10 equal parts. 5NPV–4 Teaching guidance By the end of year 5, pupils must be able to divide 1 into 2, 4, 5 or 10 equal parts. This is important because these are the intervals commonly found on measuring instruments and graph scales. Figure 169: bar models showing 1 partitioned into 2, 4, 5 and 10 equal parts Pupils should practise counting in multiples of 0.1, 0.2, 0.25 and 0.5 from 0, or from any multiple of these numbers, both forwards and backwards. This is an important step in becoming fluent with these number patterns. Language focus “Twenty-five, fifty, seventy-five, one hundred” needs to be a fluent spoken language pattern. Fluency in this language pattern provides the basis to count in multiples of 0.25. Pupils should be able to apply this skip counting, beyond 1, to solve contextual multiplication and division measures problems, as shown in 5NPV–4 Example assessment questions below (questions 8 to 10). Pupils should also be able to write, solve and manipulate multiplication and division equations related to multiples of 0.1, 0.2, 0.25 and 0.5 up to 1, and connect this to their knowledge of fractions, and decimal-fraction equivalents (5F–3). 226 Pupils need to be able to solve addition and subtraction problems based on partitioning 1 into multiples of 0.1, 0.2 and 0.5 based on known number bonds to 10. Pupils should also have automatic recall of the fact that 0.25 and 0.75 are bonds to 1. They should be able to immediately answer a question such as “I have 1 litre of water and pour out 0.25 litres. How much is left?” Making connections Dividing 1 into 10 equal parts is also assessed as part of 5NPV–1. Reading scales also builds on number-line knowledge from 5NPV–3. Conversely, experience of working with scales with 2, 4, 5 or 10 divisions in this criterion improves pupils’ estimating skills when working with unmarked number lines and scales as described in 5NPV–3. In 5F–3 pupils need to be fluent in common fraction–decimal equivalents, for example, . This criterion provides the foundations for 5F–3. 5NPV–4 Example assessment questions Fill in the missing parts, and write as many different equations as you can think of to represent the bar model. Fill in the missing numbers. 7.5 7 6 4.4 4.6 5.2 2.5 3 3.75 227 5 children have been growing sunflowers. The bar chart shows how tall each child’s sunfower has grown. How tall is each flower?’ The bar chart below shows long-jump distances for 6 children. a. How far did the winning child jump? b. What was the difference between the two longest jumps? Complete the labelling of these scales. 228 What is the reading on each of these scales, in kilograms? Here is a 1 litre beaker with some liquid in. How much more liquid, in litres, do I need to add to the beaker to make 1 litre? A motorway repair team can build 0.2km of motorway barrier in 1 day. In 6 working days, how many kilometres of motorway barrier can they build? How many 0.25 litre servings of orange juice are there in a 2 litre carton? 0.25m of ribbon costs £1. How much does 2m of ribbon cost? Fill in the missing numbers. 1 0.2 5 m 1m 1 5 1 0.8 4 m 1m 1 5 1 1 1 0.2 0.2 5 0.2m 4 m 229 Here is a part of a number line divided into 4 equal parts. In which section (a, b, c or d) does each of these numbers belong? Explain your answers. 4.3 4.03 4.09 4.76 4.41 4.69 5NPV–5 Convert between units of measure Convert between units of measure, including using common decimals and fractions. 5NPV–5 Teaching guidance Pupils should first memorise the following unit conversions: 1km = 1,000m 1m = 100cm 1cm = 10mm 1 litre = 1,000ml 1kg = 1,000g £1 = 100p It is essential that enough time is given to this foundational stage before moving on. Practical experience of these conversions will help pupils to avoid common errors in recalling the correct power of 10 for a given conversion. For example, they can walk 1km while counting the number of metres using a trundle measuring wheel. Once pupils can confidently recall these conversions, they should apply them to whole number conversions, from larger to smaller units and vice versa, for example, £4 = 400p and 8,000g = 8kg. Pupils must then learn to convert from and to fraction and decimal-fraction quantities of larger units, within 1, for example 0.25km = 250m. They should be able to carry out conversions that correspond to some of the common 2, 4, 5 and 10 part measures intervals, as exemplified below for kilometre–metre conversions. 230 Distance in km expressed as a fraction Distance in km expressed as a decimal fraction Distance in metres 0.2km 200m 0.25km 250m 0.5km 500m 0.75m 750m 0.1km 100m all other multiples of , for example, 0.7km 700m For finding 3 4 of a unit, pupils should have sufficient fluency in the association between 3 4 and 0.75, 75 and 750 that they should not need to first work out 1 4 and multiply by 3. For all conversions, pupils should begin by stating the single unit conversion rate as a step to the fraction or decimal-fraction conversion. Language focus “1m is 100cm.” “So is 75cm.” Pupils should learn to derive other common conversions over 1. To convert, for example, 3,700 millilitres to litres, they should not need to think about dividing by 1,000 and moving the digits 3 places. Instead they should be able to use single unit conversion rates and their understanding of place value. 231 Language focus “1,000ml is 1 litre.” “So 3,000ml is 3 litres, and 3,700ml is 3.7 litres.” For pounds and pence, and metres and centimetres, pupils should also be able to carry out conversions that correspond to 100 parts, for example, 52p = £0.52, and 43cm = 0.43m. Language focus “100p is £1.” “So 50p is £0.50, and 52p is £0.52.” Pupils can use ratio tables for support. 1m 100cm 75cm 1,000ml 1 litre 3,700ml 3.7 litres 100p £1 52p £0.52 Pupils must learn to solve measures problems involving different units by converting to a common unit. Making connections To succeed with this criterion, pupils must be fluent in the division of 1,000, 100 and 1 into 2, 4, 5 and 10 equal parts (4NPV–4 , 3NPV–4 and 5NPV–4 respectively). They must also be able to recall common fraction-decimal equivalents (5F–3). The fraction conversions in this criterion are special cases of finding fractions of quantities (5F–1). 232 5NPV–5 Example assessment questions Fill in the missing numbers to complete these conversions between units. 3 1 4 2 1 4 1.8 litres ml km m 5 cm mm £8.12 p 4 kg g 3.4m cm 21mm cm 2,250ml litres 650cm m 8,300m km 165p £ 750g kg Put these volumes in order from smallest to largest. 0.75 litres 1.1 litres 0.3 litres 1 5 litre 900ml 1 2 1 litres Put these lengths in order from smallest to largest. 0.45m 10mm 208cm 1 2 2 m 80cm 0.9m 1 2 cm Maya needs to post 3 parcels. The mass of each parcel is shown below. How much do the parcels weigh altogether, in kilograms? Parcel Mass of parcel A 3.2kg B 4,500g0 C Finn has a 1 2 7 m length of wood. How many 3 4 m length pieces can he cut from it? 233 I need 1 4 1 kg of flour for a recipe. I pour some flour into the weighing scales. How much more flour do I need for the recipe? Fill in the values in the empty circles so that each row and column of 3 circles adds to 5km. 234 5NF–1 Secure fluency in multiplication and division facts Secure fluency in multiplication table facts, and corresponding division facts, through continued practice. 5NF–1 Teaching guidance Before pupils begin work on formal multiplication and division (5MD–3 and 5MD–4), it is essential that pupils have automatic recall of multiplication and division facts within the multiplication tables. These facts are required for calculation within the ‘columns’ during application of formal written methods. All mental multiplicative calculation also depends on these facts. Identifying core number facts: short multiplication Identifying core number facts: short division Figure 170: short multiplication of 342 by 7 Figure 171: short division of 4,952 by 8 Within-column calculations: Within-column calculations: Pupils should already have automatic recall of multiplication table facts and corresponding division facts, from year 3 (5, 10, 2, 4 and 8 multiplication tables, 3NF–2 ) and year 4 (all multiplication tables up to and including 12, 4NF–1). Pupils’ fluency in multiplication facts is assessed in the summer term of year 4 in the statutory multiplication tables check, and this will identify some pupils who need additional practice. However, even pupils who were fluent in the multiplication tables at the time of the multiplication tables check will benefit from further practice to maintain and secure fluency. Pupils must also be able to fluently derive related division facts, including division facts with remainders before they begin to learn formal written methods for multiplication and division (5MD–3 and 5MD–4). The multiplication facts to 9 9 , and related division facts, are particularly important as these are the facts required for formal written multiplication and division. The 36 multiplication facts that are required for formal written multiplication are as follows. 235 You can find out more about multiplicative fluency here in the calculation and fluency section: 5NF–1 Making connections Fluency in these multiplicative facts is required for: mental calculation, when combined with place-value knowledge, for example, if pupils know that , then they can calculate and (5NF–2) identifying factors and multiples (5MD–1) within-column calculation in short multiplication (5MD–3) and short division (5MD–4) calculating fractions of quantities (5F–1) finding equivalent fractions (5F–2) calculating area (5G–2) 5NF–1 Assessment guidance Assessment for this criterion should focus on whether pupils have fluency in multiplication facts and division facts. Pupils can be assessed through a time-limited written check. 236 5NF–2 Scaling number facts by 0.1 or 0.01 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 1 tenth or 1 hundredth), for example: 5NF–2 Teaching guidance Pupils must be able to combine known additive and multiplicative facts with unitising in tenths and hundredths, including: scaling known additive facts within 10, for example, 0.09 – 0.06 0.03 scaling known additive facts that bridge 10, for example, 0.8 0.6 1.4 scaling known multiplication tables facts, for example 0.03 4 0.12 scaling division facts derived from multiplication tables, for example, 0.12 4 0.03 scaling calculation of complements to 100, for example 0.62 0.38 1 For calculations such as 0.8 0.6 1.4 , pupils can begin by using tens frames and counters as they did for calculation across 10 (2AS–1), calculation across 100 (3NF–3 ) and calculation across 1,000 (4NF–3), but now using 0.1-value counters (or 0.01 value counters for calculations such as 0.08 0.06 0.14 ). 237 Figure 172: tens frames with 0.1-value counters showing .
.
.
0 8 0 6 1 4 8 6 14 14 – 6 8 14 – 8 6 0.8 0.6 1.4 1.4 – 0.6 0.8 1.4 – 0.8 0.6 Language focus “8 plus 6 is equal to 14, so 8 tenths plus 6 tenths is equal to 14 tenths.” “14 tenths is equal to 1 one and 4 tenths.” Pupils must also be able to scale additive calculations related to complements to 100 (3AS–1), for example: 62 38 100 so 0.62 0.38 1 238 Figure 173: a 100 grid shaded in 2 colours to represent 0.62 and 0.38 as a complement to 1 Pupils can initially use 0.1- or 0.01-value counters to understand how a known multiplicative fact, such as 3 5 15 , relates to scaled calculations, such as 3 0.5 1.5 or 3 0.05 0.15 . Pupils should be able reason in terms of unitising in tenths or hundreds, or in terms of scaling a factor by one-tenth or one-hundredth. Figure 174: 3-by-5 array of 0.01-value place-value counters 3 5 15 3 0.05 0.15 Language focus “3 times 5 is equal to 15.” “3 times 5 hundredths is equal to 15 hundredths.” “15 hundredths is equal to 0.15.” 3 5 15 0.03 5 0.15 Language focus “3 times 5 is equal to 15.” “3 hundredths times 5 is equal to 15 hundredths.” “15 hundredths is equal to 0.15.” 239 Language focus “If I make one factor one-hundredth times the size, I must make the product one-hundredth times the size.” Pupils must be able to make similar connections for known division facts, for example, for scaling by one-hundredth: 15 3 5 0.15 0.03 5 0.15 3 0.05 Language focus “If I make the dividend one-hundredth times the size and the divisor one-hundredth times the size, the quotient remains the same.” “If I make the dividend one-hundredth times the size and keep the divisor the same, I must make the quotient one-hundredth times the size.” It is important for pupils to understand all of the calculations in this criterion in terms of working with units of 0.1 or 0.01, or scaling by one-tenth or one-hundredth for multiplicative calculations. You can find out more about fluency and recording for these calculations here in the calculation and fluency section: Number, place value and number facts: 5NPV–2 and 5NF–2 Making connections This criterion builds on: known addition and subtraction facts 5NF–1, where pupils secure fluency in multiplication and division facts 5NPV–1, where pupils need to be able to work out how many tenths or hundredths there are in given numbers Meeting this criterion also requires pupils to be able to fluently divide whole numbers by 10 or 100 (5MD–1). 240 5NF–2 Example assessment questions Circle the numbers that sum to 0.13 0.1 0.5 0.05 0.8 0.08 0.3 Are these calculations correct? Mark each correct calculation with a tick () and each incorrect calculation with a cross (). Explain your answers. 0.05 0.05 0.010 0.04 0.06 0.1 0.13 0.7 0.2 0.61 0.49 1 0.73 0.27 1 0.4 0.5 0.45 I live 0.4km away from school. Every day I walk to school in the morning and home again in the afternoon. a. How far do I walk each day? b. How far do I walk in 5 days? Some children are making bunting for the school fair. If each child makes 0.4m of bunting, and there are 12 children, how many metres of bunting do they make altogether? A chef needs 2.4kg of potatoes for a recipe. If one potato weighs about 0.3kg, approximately how many potatoes does the chef need? A bottle contains 0.7 litres of fruit drink. Maria need 5 litres of drink for a party. How many bottles does she need to buy? I need 0.5kg of brown flour and 0.7kg of white flour for a recipe. What is the total mass of flour that I need? What is the total volume of liquid in these measuring beakers, in litres? 241 5MD–1 Multiplying and dividing by 10 and 100 Multiply and divide numbers by 10 and 100; understand this as equivalent to making a number 10 or 100 times the size, or 1 tenth or 1 hundredth times the size. 5MD–1 Teaching guidance In years 3 and 4, pupils considered multiplication and division by 10 and 100 both in terms of scaling (for example, 2,300 is 100 times the size of 23) and in terms of grouping or unitising (for example, 2,300 is 23 groups of 100). To meet criterion 5MD–1, pupils should be able to use and understand the language of 10 or 100 times the size to describe multiplication of numbers, including decimal fractions, by 10 or 100. They should understand division as the inverse action, and should be able to use and understand the language of one-tenth or one-hundredth times the size to describe division of numbers by 10 or 100, including to calculations that give decimal fraction quotients. Pupils already know the following relationships between powers of ten, and can describe them using scaling language (“…times the size”). Figure 175: multiplicative relationships between powers of 10: 10 times the size and one-tenth times the size Figure 176: multiplicative relationships between powers of 10: 100 times the size and one-hundredth times the size Pupils should extend the ‘ten times the size’/‘one-tenth times the size’ relationship to multiplicative calculations that ‘cross’ 1, beginning with those with 1 significant figure. The Gattegno chart can be used to help pupils see, for example, that 8, made one-tenth times the size is 0.8; pupils can move their finger or a counter down from 8 to 0.8. Pupils must connect this action to division by 10, and be able to solve/write the corresponding division calculation (8 10 0.8 ). Similarly, because 8 is 10 times the size of 0.8, they can solve 0.8 10 , moving their finger or a counter up from 0.8 to 8. 242 Figure 177: using the Gattegno chart to multiply and divide by 10, crossing 1 Language focus “8, made one-tenth of the size, is 0.8.” “8 divided by 10 is equal to 0.8.” “First we had 8 ones. Now we have 8 tenths.” “0.8, made 10 times the size, is 8.” “0.8 multiplied by 10 is equal to 8.” “First we had 8 tenths. Now we have 8 ones.” Pupils may also work with place-value charts. Figure 178: using a place-value chart to multiply and divide by 10, crossing 1 Similarly, pupils should be able to: divide ones by 100 and carry out inverse multiplications, for example, 8 100 0.08 and 0.08 100 8 243 divide tenths by 10 and carry out inverse multiplications, for example, 0.8 10 0.08 and 0.08 10 0.8 This understanding should then be extended to multiplicative calculations that ‘cross’ 1 and involve numbers with more than one significant digit, for example: 13 100 0.13 0.13 100 13 26.5 10 2.65 2.65 10 26.5 4,710 100 47.1 47.1 100 4,710 Throughout this criterion, repeated association of the written form (for example, 10 ) and the verbal form (for example, “one tenth times the size”) will help pupils become fluent with the links. Pupils should also be able to use appropriate language to describe the relationships in different contexts, including measures. Language focus “8cm is 10 times the length of 0.8cm.” “0.25kg is one-hundredth times the mass of 25kg.” “150 pencils is 10 times as many as 15 pencils.” Both the Gattegno chart and place-value charts can be used for support throughout this criterion, but by the end of year 5 pupils must be able to calculate without them. These representations can also help pupils to see that multiplying by 100 is equivalent to multiplying by 10, and then multiplying by 10 again (and that dividing by 100 is equivalent to dividing by 10 and dividing by 10 again). Making connections In 5NPV–1, pupils learnt to describe the relationship between different powers of 10 in terms of scaling. Here they applied this idea to scale other numbers by 100, 10, one-tenth and one-hundredth. This criterion also supports scaling known additive and multiplicative number facts by 1 tenth or 1 hundredth. For example, the known fact can be used to solve : one factor (3) has been scaled by one tenth, so the product (15) must be scaled by one tenth. 244 5MD–1 Example assessment questions Fill in the missing numbers. 10 4.03 10 10 0.2 10 100 21.7 100 100 5,806 100 Ruby ran 2.3km. Her mum ran 10 times this distance. How far did Ruby’s mum run? A zookeeper weighs an adult gorilla and its baby. The adult gorilla has a mass of 149.3kg. The baby gorilla has a mass one-tenth times that of the adult gorilla. How much does the baby gorilla weigh, in kilograms? The length of a new-born crocodile is about 0.25m. The length of an adult female crocodile is about 2.5m. Approximately how many times as long as a new-born crocodile is an adult female crocodile? Fill in the missing numbers. 100 5 273 100 10 6 42 10 100 0.79 1.35 100 10 0.75 16.2 10 Use the following to complete the equations: 10 100 10 100 Use each term only once. 543 5.43 0.12 1.2 51.5 5,150 40.3 4.03 245 5MD–2 Find factors and multiples Find factors and multiples of positive whole numbers, including common factors and common multiples, and express a given number as a product of 2 or 3 factors. 5MD–2 Teaching guidance Pupils should already know and be able to use the words ‘multiple’ and ‘factor’ in the context of the multiplication tables. They should know, for example, that the products within the 6 multiplication table are all multiples of 6, and should be familiar with the generalisation: factor factor product In year 5, pupils should learn the definitions of the terms ‘multiple’ and ‘factor’, and understand the inverse relationship between them. Language focus “A multiple of a given number is the product of the given number and any whole number.” “A factor of a given number is a whole number that the given number can be divided by without giving a remainder.” “21 is a multiple of 3. 3 is a factor of 21.” Pupils must be able to identify factors and multiples within the multiplication tables, and should learn to work systematically to identify all of the factors of a given number. They should be able to express products in the multiplication tables as products of 3 factors, where relevant, for example, 48 2 3 8 . Pupils already know how to scale known multiplication table facts by 10 or 100 (3NF–3 and 4NF–3), and must now learn to apply this to identify factors and multiples of larger numbers, as exemplified below. 7 3 21 7 300 2,100 700 3 2,100 Language focus “21 is a multiple of 3, so… 2,100 is a multiple of 300” 2,100 is a multiple of 3” 246 Pupils should learn to express multiples of 10 or 100 as products of 3 factors, for example: 7 3 21 so 7 3 10 210 Pupils should learn that these factors can be written in any order (commutative property of multiplication) and that any pair of the factors can be multiplied together first (associative property of multiplication). Applying commutativity Applying associativity (example) Pupils should be able to recognise whether any given number is a multiple of 2, 5, or 10 by attending to the final digit and, conversely, recognise 2, 5, or 10 as factors. Pupils should also be able to recognise multiples and factors linked to their experience of dividing powers of 10 into 2, 4 or 5 equal parts, by attending to the appropriate digit(s), for example: 175 is a multiple of 25 25 is a factor of 175 (attending to the final 2 digits) 8,500 is a multiple of 500 500 is factor of 8,500 (attending to the final 3 digits) 380 is a multiple of 20 20 is a factor of 380 (attending to the final 2 digits) Pupils should learn to identify factors and multiples for situations other than those described above by using short division or divisibility rules. For example, to determine whether 392 is a multiple of 8 (or whether 8 is a factor of 392) pupils can use the divisibility rule for 8 or use short division to determine whether 392 8 results in a quotient without a remainder. Pupils must learn how to find common factors and common multiples of small numbers in preparation for simplifying fractions and finding common denominators. They must also learn to recognise and use squared numbers and use the correct notation (for example, 2 3 9 ), and learn to establish whether a given number (up to 100) is prime. 247 Making connections Pupils must be fluent in their multiplication tables to meet this criterion (5NF–1), and must also be able to scale multiplication facts by 10 or 100. Short division (5MD–4) can be used to identify factors when other strategies are not applicable. 5MD–2 Example assessment questions Write all of the numbers from 1 to 30 in the correct places on this Venn diagram. Circle any number that is a multiple of both 3 and 7. 42 43 47 49 Find a common factor of 48 and 64 that is greater than 6. How many common multiples of 4 and 6 are there that are less than 40? Circle any number that is a factor of both 24 and 36. 2 4 6 8 10 12 a. Find a multiple of 30 that is between 200 and 300. b. Find a multiple of 40 that is between 300 and 400. c. Find a multiple of 50 that is between 400 and 500. Show that 3 is a factor of 231. 248 Fill in the table with examples of 2-, 3- and 4-digit numbers that are multiples of 9, 25 and 50. 2-digit number 3-digit number 4-digit number Multiples of 9 Multiples of 25 Multiples of 50 Give two 2-digit factors of 270. Find 3 numbers which are multiples of 25 but not multiples of 50. Fill in the missing numbers. 6 32 6 4 6 5 4 5 480 8 10 72 2 6 5 105 7 140 5MD–3 Multiply using a formal written method Multiply any whole number with up to 4 digits by any one-digit number using a formal written method. 5MD–3 Teaching guidance Pupils should learn to multiply multi-digit numbers by one-digit numbers using the formal written method of short multiplication. They should begin with examples that do not involve regrouping, such as the two-digit one-digit calculation shown below, and learn that, like columnar addition and subtraction, the algorithm begins with the least significant digit (on the right). When pupils first learn about short multiplication, place-value equipment (such as place-value counters) should be used to model the algorithm and help pupils relate it to what they already know about multiplication. Pupils should understand that short multiplication is based on the distributive property of multiplication which they learnt about in year 4 (4MD–3 ). Figure 179: place-value counters showing 34 2 249 Informal written method Expanded multiplication algorithm Short multiplication Initially, pupils should use unitising language to help them understand and apply short multiplication. Language focus “2 times 4 ones is equal to 8 ones: write 8 in the ones column.” “2 times 3 tens = 6 tens: write 6 in the tens column.” Pupils may also use place-value headings while they learn to use the formal written method, as illustrated above. However, by the end of year 5, they must be able to use the short multiplication algorithm without using unitising language and place-value headings. Once pupils have mastered the basic principles of short multiplication without regrouping, they must learn to use the algorithm where regrouping is required, for multiplication of numbers with up to 4 digits by one-digit numbers. Pupils can again use unitising language, now for support with regrouping, until they are able to apply the algorithm fluently. Figure 180: multiplying 367 by 4 using short multiplication 4 6 tens 24 tens 2 hundreds 4 s tens plus 2 more tens 2 hundreds 6 4 3 hundreds 4 12 hundreds 7 ones 2 1 thousand hundreds plus 2 more 1 thousand 28 ones 2 tens 8 on 4 hundred d e n s r te u n h d e s s 250 Pupils must be able to use short multiplication to solve contextual multiplication problems with: the grouping structure (see 5MD–3 5MD-3, questions 3 to 6) the scaling structure (see 5MD–3 Example assessment questions, questions 7 and 8) Pupils should also be able to use short multiplication to solve missing-dividend problems (for example, ? 2,854 3 ) Pupils must learn that, although short multiplication can be used to multiply any number by a one-digit number, it is not always the most appropriate choice. For example, 201 4 can be calculated mentally by applying the distributive property of multiplication (200 4 800 , plus 4 more). You can find out more about recording and fluency for these calculations here in the calculation and fluency section: 5MD–3 Making connections Pupils must be fluent in multiplication facts within the multiplication tables (5NF–1) before they begin this criterion. Once pupils have learnt short division (5MD–4) they should be able to use short multiplication to check their short division calculations, and vice versa. Pupils should be able to use short multiplication, where appropriate, when calculating a non-unit-fraction of a quantity (5F–1). 5MD–3 Example assessment questions Fill in the missing numbers. 278 6 7 1 ,297 2,854 3 6 372 251 Draw a line to match each multiplication expression with the correct addition expression. 120 + 18 80+4 120 + 24 Josh cycles 255 metres in 1 minute. If he keeps cycling at the same speed, how far will he cycle in 8 minutes? A factory packs biscuits into boxes of 9. The factory produces 1,350 packets of biscuits in a day. How many biscuits is that? Ellen has 1 large bag of 96 marbles, and 4 smaller bags each containing 76 marbles. How many marbles does she have altogether? There are 6 eggs in a box. If a farmer needs to deliver 1,275 boxes of eggs to a supermarket, how many eggs does she need? Aryan’s grandmother lives 235 kilometres away from Aryan. His aunt lives 3 times that distance away from Aryan. How far away does Aryan’s aunt live from him? How far is this to the nearest 100 kilometres? Felicity can make 5 hairbands in 1 hour. A factory can make 235 times as many. How many hairbands can the factory make in 1 hour? Fill in the missing numbers. Liyana writes: 9,565 7 1 ,365 Use short multiplication to check whether Liyana’s equation is correct. Assessment guidance: Pupils need to be able to identify when multiplication is the appropriate operation to use to solve a given problem. Assessment of whether a pupil has mastered multiplication sufficiently to progress to year 6 should also include questions which require other operations to solve. 252 5MD–4 Divide using a formal written method Divide a number with up to 4 digits by a one-digit number using a formal written method, and interpret remainders appropriately for the context. 5MD–4 Teaching guidance Pupils should learn to divide multi-digit numbers by one-digit numbers using the formal written method of short division. They should begin with examples that do not involve exchange, such as the two-digit one-digit calculation shown below. Pupils should learn that division is the only operation for which the formal algorithm begins with the most significant digit (on the left). When pupils first learn about short division, place-value equipment (such as place-value counters) should be used to model the algorithm and help pupils relate it to what they already know about division. They should understand that short division is based on the distributive property of multiplication which they learnt about in year 4 (4MD–3 ). Short division with place-value counters Short division Figure 181: dividing 84 by 4 using short division with place-value counters Figure 182: dividing 84 by 4 using short division with place-value headings Initially, pupils should use unitising language to help them understand and apply short division. Language focus “8 tens divided by 4 is equal to 2 tens: write 2 in the tens column.” “4 ones divided by 4 is equal to 1 one: write 1 in the ones column.” 253 Pupils may also use place-value headings while they learn to use the formal written method, as illustrated above. However, by the end of year 5, pupils must be able to use the short division algorithm without using unitising language and place-value headings. Once pupils have mastered the basic principles of short division without exchange, they must learn to use the algorithm where exchange is required, for division of numbers with up to 4 digits by one-digit numbers. Pupils can again use unitising language, now for support with exchange, until they are able to apply the algorithm fluently. Figure 183: dividing 612 by 4 using short division 2 hundreds 20 tens plus s 1 more ten 21tens 21 tens 4 5 6 tens remainder 1 d e 1t 1 en hundreds 4 hundred r ma s inder 2 hu 10 one plus 2 more ones 12 ones 12 ones te 4 n red n 3 one s Pupils must be able to use short division to solve contextual division problems with: the quotitive structure (see 5MD–4 Example assessment questions, questions 5 and 8) the partitive structure (see 5MD–4 Example assessment questions, questions 2, 6 and 7) Pupils should also be able to use short division to find unit fractions of quantities, and to solve missing-factor problems (for example, ?
5 1 ,325 ) and missing-divisor problems (for example, 952 ?
7 ). Pupils must be able to carry out short division calculations that involve a remainder and, for contextual problems, interpret the remainder appropriately as they learnt to do in year 4 (4NF–2 ). Pupils must learn that, although short division can be used to divide any number by a one-digit number, it is not always the most appropriate choice. For example, 804 4 , can be calculated mentally by partitioning, dividing and adding the partial quotients (804 4 200 , plus 1 more). You can find out more about recording and fluency for these calculations here in the calculation and fluency section: 5MD–4 254 Making connections Pupils must be fluent in division facts corresponding to the multiplication tables (5NF–1) before they begin this criterion. Pupils should be able to use short multiplication (5MD–3) to check their short division calculations, and vice versa. Pupils should be able to use short division, where appropriate, to find a unit fraction of a quantity, and as the first step in finding a non-unit fraction of a quantity (5F–1). 5MD–4 Example assessment questions Fill in the missing numbers. 4,728 8 952 7 5 1 ,325 176 4 I have 1 2 1 litres of juice which I need to share equally between 6 glasses. How many millilitres of juice should I pour into each glass? A school fair raises £5,164. The school keeps 1 4 of the money for new playground equipment and gives the rest to charity. How much money does the school keep? Fryderyk has saved 4 times as much money as his sister Gabriel. If Fryderyk has saved £348, how much has Gabriel saved? A farmer has 3,150 eggs to pack into boxes of 6. How many boxes does she need? Sharif wants to walk a long distance, for charity, over 6 weekends. The total distance Sharif wants to walk is 293km. Approximately how far should he walk each weekend? Maria makes 1,531g of cake mix. She puts 250g into a small cake tin and wants to share the rest equally between 3 large cake tins. How many grams of cake mix should she put in each large cake tin? 174 children are going on a trip. 4 children can fit into each room in the hostel. How many rooms are needed? Fill in the missing numbers. David writes: 785 9 7,065 Use short division to check whether David’s calculation is correct. 255 Assessment guidance: Pupils need to be able to identify when division is the appropriate operation to use to solve a given problem. Assessment of whether a pupil has mastered division sufficiently to progress to year 6 should also include questions which require other operations to solve. 5F–1 Find non-unit fractions of quantities Find non-unit fractions of quantities. 5F–1 Teaching guidance Pupils should already be able to find unit fractions of quantities using known division facts corresponding to multiplication table facts (3F–2). Language focus “To find of 15, we divide 15 into 5 equal parts.” “15 divided by 5 is equal to 3, so of 15 is equal to 3.” By the end of year 5 pupils must be able to find unit and non-unit fractions of quantities, including for situations that go beyond known multiplication and division facts. Pupils already understand the connection between a unit fraction of a quantity and dividing that quantity by the denominator. Now they should learn to reason about finding a non-unit fraction of a quantity, using division (to find the unit fraction) then multiplication (to find multiples of the unit fraction), and link this to their understanding of parts and wholes. Initially, calculations should depend upon known multiplication and division facts, so that pupils can focus on reasoning. 256 Figure 184: bar model to support finding three-fifths of 40 40 5 8 1 So, of 40 8 5 8 3 24 3 So, of 40 24 5 Language focus “Three-fifths is equal to 3 one-fifths.” “To find 3 one-fifths of 40, first find one-fifth of 40 by dividing by 5, and then multiply by 3.” Once pupils can carry out these calculations fluently, and explain their reasoning, they should extend their understanding to calculate unit and non-unit fractions of quantities for calculations that go beyond known multiplication table facts. For example, they should be able to: apply place-value understanding to known number facts to find 3 7 of 210 use short division followed by short multiplication to find 4 9 of 3,411 Pupils should also be able to construct their own bar models to solve more complex problems related to fractions of quantities. For example: Miss Reeves has some tangerines to give out during break-time. She has given out 5 6 of the tangerines, and has 30 left. How many tangerines did Miss Reeves have to begin with? Figure 185: using a bar model to solve more complex problems related to fractions of quantities 257 Making connections Pupils must be fluent in multiplication facts within the multiplication tables, and corresponding division facts (5NF–1). They must be able to confidently scale these facts by 10 or 100 (3NF–3 and 4NF–3) to find, for example, of 210. Pupils also need to be able to calculate using short multiplication (5MD–3) and short division (5MD–4) to be able to find, for example, of 3,411. 5F–1 Example assessment questions Find: 3 8 of 32 2 9 of 45 3 5 of 30 2 7 of 630 4 9 of 315 2 5 of 3,500 5 8 of 2,720 Stan bought 15 litres of paint and used 2 3 of it decorating his house. How much paint has he used? My granny lives 120km from us. We are driving to see her and are 5 6 of the way there. How far have we driven so far? I am 3 4 of the way through my holiday. I have 3 days of holiday left. How many days have I already been on holiday for? A school is trying to raise £7,500 for charity. They have raised 5 6 of the total so far. How much have they raised? 4 5 of the runners in a race have finished the race so far. If 92 people have finished, how many runners were in the race altogether? There are 315 cows on a farm. 3 5 of the cows are having calves this year. How many cows are not having calves? 258 5F–2 Find equivalent fractions Find equivalent fractions and understand that they have the same value and the same position in the linear number system. 5F–2 Teaching guidance Pupils must understand that more than one fraction can describe the same portion of a quantity, shape or measure. They should begin with an example where one of the fractions is a unit fraction, and the connection to the equivalent fraction uses known multiplication table facts. 1 3 4 12 Figure 186: circle divided into 4 equal parts with 1 part shaded Language focus “The whole is divided into 4 equal parts and 1 of those parts is shaded.” Figure 187: circle divided into 12 equal parts with 3 parts shaded Language focus “The whole is divided into 12 equal parts and 3 of those parts is shaded.” Figure 188: diagram showing that of 12 cakes is equal to 3 cakes Figure 189: diagram showing that of 12 cakes is equal to 3 cakes 259 Pupils should learn that 2 different fractions describing the same portion of the whole share the same position on a number line, have the same numerical value and are called equivalent fractions. Figure 190: number line showing that 1 4 and 3 12 are equivalent Pupils need to understand that equivalent fractions, such as 1 4 and 3 12 , have the same numerical value because the numerator and denominator within each fraction have the same proportional relationship. In each case the numerator is 1 4 of the denominator (and the denominator is 4 times the numerator). Language focus “ and are equivalent because 1 is the same portion of 4 as 3 is of 12.” Attending to the relationship between the numerator and denominator will prepare pupils for comparing fractions with different denominators in year 6 (6F–3). Pupils should also be able to identify the multiplicative relationship between the pair of numerators, and understand that it is the same as that between the pair of denominators. Pupils should learn to find equivalent fractions of unit fractions by using one of these multiplicative relationships (the ‘vertical’ relationship between the numerator and denominator, or the ‘horizontal’ relationship between the pairs of numerators and denominators). Figure 191: diagram showing the multiplicative relationships between the numerators and denominators in 1 4 and 3 12 260 In a similar way, pupils must then learn to find equivalent fractions of non-unit fractions, for example, 3 6 5 10 or 3 8 12 32 . Making connections Pupils must be fluent in multiplication facts within the multiplication tables, and corresponding division facts (5NF–1). Being able to find unit and non-unit fractions of a quantity (5F–1) helps pupils to see that equivalent fractions have the same value. 5F–2 Example assessment questions Find different ways to write the fraction of each shape or quantity that is shaded or highlighted. Draw lines to match the unit fractions on the left with their equivalent fractions on the right. 261 Mark each fraction on the number line. 9 24 36 48 12 16 10 40 9 72 Hint: convert each fraction to an equivalent fraction with a denominator of 8. Use the numbers 3, 24, 8 and 1 to complete this chain of equivalent fractions. 2 6 Fill in the missing digits. 12 4 8 3 5 40 3 21 63 20 30 15 Fill in the missing number. Sally and Tahira each have a 1m ribbon. Sally cuts her ribbon into 5 equal parts and uses 1 of them to make a hair tie. Tahira cuts her ribbon into 10 equal parts and uses 3 of them to make a bracelet. Have Sally and Tahira used the same amount of ribbon? Explain your answer. 262 5F–3 Recall decimal equivalents for common fractions Recall decimal fraction equivalents for , , and , and for multiples of these proper fractions. 5F–3 Teaching guidance Pupils know that both proper fractions and decimals fractions can be used to represent values between whole numbers. They now need to learn that the same value can be represented by both a decimal fraction and a proper fraction, and be able to recall common equivalents, beginning with unit fractions. Unit fraction Decimal fraction 0.5 0.25 0.2 0.1 Pupils should also be able to explain the equivalencies. A shaded hundred grid is a useful representation here. Figure 192: hundred grid divided into 4 equal parts: 1 4 is equal to 25 hundredths 1 25 4 100 0.25 Pupils should then extend their understanding and automatic recall to multiples of these unit fractions/decimal fractions, up to 1. 263 Figure 193: 0 to 1 number lines illustrating common proper fraction – decimal fraction equivalents Pupils must be able to use these common equivalents with little effort, applying them to solve comparison and measures problems such as those shown in the example assessment questions. For a given problem, posed using a mixture of decimal fractions and proper fractions, pupils should be able to make a sensible decision about whether to carry out the calculation using decimal fractions or proper fractions. Finally, pupils need to extend this knowledge beyond the 0 to 1 interval. They should know for example that 3.2km and 1 5 3 km are 2 different ways of writing the same distance. Making connections This criterion builds on 5NPV–4, where pupils learnt to divide 1 into 2, 4, 5 or 10 equal parts and to read scales marked in multiples of multiples of 0.1, 0.2, 0.25 or 0.5. Criterion 5NPV–5 requires pupils to convert between units of measure, including using the common decimal fraction and proper fraction equivalents in this criterion. 264 5F–3 Example assessment questions Fill in the missing symbols (<, > or =). 1 10 0.75 1 4 0.4 1 5 0.5 3 4 0.75 4 5 0.8 1 2 0.2 Write these measurements as mixed numbers. 1.2km 5.75m 25.5kg Write these measurements as decimals. 1 4 1 litres 1 2 10 cm 4 5 4 m My brother weighs 27.3kg. I weigh 1 2 27 kg. How much more than my brother do I weigh? Year 6 set off on a 3 4 2 km woodland walk. By lunch, they had walked 1.75km. How much further do they need to walk? Here are two parcels: What is the total combined weight of the parcels, in kilograms? Put each set of numbers in order from smallest to greatest. a. 1.4 1 4 4 4.1 4.4 b. 1 5 3 3.5 3 5 1 1.3 265 5G–1 Compare, estimate, measure and draw angles Compare angles, estimate and measure angles in degrees (°) and draw angles of a given size. 5G–1 Teaching guidance In year 3, pupils learnt to identify right angles and to determine whether a given angle is larger or smaller than a right angle (3G–1). Pupils should now compare angles, including the internal angles of polygons, and be able to identify the largest and smallest angles when there is a clear visual difference. Pupils should be able to use the terms acute, obtuse and reflex when describing and comparing angles, and use conventional markings (arcs) to indicate angles. Language focus “An acute angle is smaller than a right angle.” “An obtuse angle is larger than a right angle but less than the angle on a straight line.” “A reflex angle is larger than the angle on a straight line, but less than the angle for a full turn.” Figure 194: irregular pentagon with 3 acute internal angles, 1 obtuse internal angle and 1 reflex internal angle Language focus “D is the smallest angle. It is an acute angle.” “C is the largest angle. It is a reflex angle.” 266 Pupils must learn that we can measure the size of angles just as we can measure the length of sides. They should learn that the unit used is called degrees and indicated by the ° symbol. Pupils should know that there are 360° in a full turn, 90° in a quarter turn or right angle, and 180° in a half turn or on a straight line. Pupils must know that the position of the arc indicating an angle does not affect the size of the angle, which is determined by the amount of turn between the two lines. Similarly, they should know that the length of the lines does not affect the size of the angle between them. Figure 195: the position of the arc indicating an angle does not affect the size of the angle Figure 196: the length of the lines does not affect the size of the angle between them Before pupils learn to use protractors, they should learn to estimate and approximate common angles, and angles that are close to them, including 90°, 180°, other multiples of 10°, and 45°. They should use sets of ‘standard angle’ measuring tools (for example, cut out from card) for support in approximating, and to check estimates. Figure 197: a selection of ‘standard angle’ measuring tools 267 Once pupils can make reasonable estimates of angle size, they must learn to make accurate measurements, using a protractor, for angles up to 180°. It is good practice to make an estimate before taking an accurate measurement, and pupils should use learn to use their estimates for support in reading the correct value off the protractor. Pupils should also, now, be able to use the more formal definitions of acute, obtuse and reflex. Language focus “An acute angle is less than 90°.” “An obtuse angle is greater than 90° but less than 180°.” “A reflex angle is greater than 180° but less than 360°.” 5G–1 Example assessment questions Do not use a protractor for questions 1, 2 and 3. Here is an irregular pentagon. a. Which is the largest angle in this pentagon? b. Which is the smallest angle? c. Which angle is 100°? 268 Here are 6 angles. a. Which is the largest angle? b. Which is the smallest angle? c. Which angle is 45°? This pentagon has a line of symmetry. Estimate the size of each angle. Measure and label each of the angles in these shapes using a protractor. a. Draw an angle of 68°. b. Draw an angle of 103°. 269 5G–2 Compare and calculate areas Compare areas and calculate the area of rectangles (including squares) using standard units. 5G–2 Teaching guidance Pupils need to know that the area of a shape is the space within a shape. When there is a clear visual difference, pupils should be able to compare the area of shapes without making a quantitative evaluation of each area. For example, pupils can see that the circle has a larger area than the decagon. Figure 198: a decagon and a circle with a clear visual difference in area Pupils should learn that, when there is not a clear visual difference between areas, a common unit can be used to quantify the areas and enable comparison. They should understand that any unit can be used, but that the square centimetre (cm2) is the standard unit of measure for area that they will use most frequently. Pupils should gain a sense of the size of a square centimetre, and the notation used, before they begin to quantify other areas using this unit. Figure 199: a square centimetre Pupils need to be able to find the area of shapes drawn on square-centimetre grids by counting squares, including shapes for which some of the area is made up of half-squares. They should understand that different shapes can have the same area. 270 Figure 200: a rectangle, square and triangle with equal areas Drawn to actual size. Pupils should then learn that the area of a rectangle can be calculated by multiplying the length by the width. They should learn why this is the case by examining rectangles drawn on square-centimetre grids, and understand that the factors can be written in either order: the area of the rectangle below is equal to 4 rows of 5 square centimetres, or 5 columns of 4 square centimetres. This should build on pupils understanding of the grouping structure of multiplication and array representations. Figure 201: the area of a rectangle can be calculated by multiplying the length by the width Drawn to actual size. Language focus “To find the area of a rectangle, multiply the length by the width.” Pupils should learn that the area of larger shapes and spaces, such as the floor or ceiling of the classroom, or the playground, is expressed in square metres (m2). Pupils should experience working with large spaces directly, as well as drawings representing them. 271 Making connections Pupils must be able to multiply two numbers together in order to calculate the area of a rectangle, including: known multiplication facts within the multiplication tables (5NF–1) (for example, to calculate the area of a 9cm by 4cm rectangle) scaling known multiplication facts by 10 or 100 (3NF–3 , 4NF–3 and 5NF–2) (for example, to calculate the area of a rectangle or a rectangle) other mental or written methods (for example, to calculate the area of a rectangle) 5G–2 Example assessment questions For each pair of shapes, tick the shape with the larger shaded area. 272 Find the area of these shapes drawn on a square-centimetre grid. Drawn to actual size. Here are three shapes on a triangular grid. Put the shapes in order from smallest to largest according to their area. 273 a. Draw a rectangle with an area of 12cm2 on this square-centimetre grid. b. Draw a hexagon with an area of 12cm2 on this square-centimetre grid. Drawn to actual size. Find the area of each of these rectangles. Leila is putting some tiles on the wall behind her kitchen sink. Each tile is square, with sides equal to 10cm. Here is the area she has tiled so far. If Leila adds one more row of tiles on top of these ones, what is the total area she will have tiled? 274 Each half of a volleyball court is a 9m 9m square. What is the total area of a volleyball court? Drawn to scale. Estimate the area of your classroom floor. Calculation and fluency Number, place value and number facts: 5NPV–2 and 5NF–2 5NPV–2 Recognise the place value of each digit in numbers with up to 2 decimal places, and compose and decompose numbers with up to 2 decimal places using standard and non-standard partitioning. 5NF–2 Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 1 tenth or 1 hundredth), for example: Representations such as place-value counters and partitioning diagrams (5NPV–2) and tens-frames with place-value counters (5NF–2) can be used initially to help pupils understand calculation strategies and make connections between known facts and related calculations. However, pupils should not rely on such representations for calculating. For the calculations in 5NF–2, for example, pupils should instead be able to calculate by verbalising the relationship. 275 Language focus “8 plus 6 is equal to 14, so 8 tenths plus 6 tenths is equal to 14 tenths.” “14 tenths is equal to 1 one and 4 tenths.” Pupils should maintain fluency in both formal written and mental methods for addition and subtraction. Mental methods can include jottings to keep track of calculation, or language structures as exemplified above. Pupils should select the most efficient method to calculate depending on the numbers involved. Addition and subtraction: extending 3AS–3 Pupils should also extend columnar addition and subtraction methods to numbers with up to 2 decimal places. Pupils must be able to add 2 or more numbers using columnar addition, including calculations whose addends have different numbers of digits. Figure 202: columnar addition for calculations involving numbers with up to 2 decimal places For calculations with more than 2 addends, pupils should add the digits within a column in the most efficient order. For the third example above, efficient choices could include: beginning by making 10 in the tenths column making double-6 in the ones column Pupils must be able to subtract one number from another using columnar subtraction, including numbers with up to 2 decimal places. They should be able to apply the columnar method to calculations presented as, for example, 21.8 – 9.29 or 58 14.69 , where the subtrahend has more decimal places than the minuend. Pupils must also be able to exchange through 0. 276 Figure 203: columnar subtraction for calculations involving numbers with up to 2 decimal places Pupils should make sensible decisions about how and when to use columnar methods. For example, when subtracting a decimal fraction from a whole numbers, pupils may be able to use their knowledge of complements, avoiding the need to exchange through zeroes. For example, to calculate 8 – 4.85 pupils should be able to work out that the decimal complement to 5 from 4.85 is 0.15, and that the total difference is therefore 3.15. 5NF–1 Secure fluency in multiplication and division facts Secure fluency in multiplication table facts, and corresponding division facts, through continued practice. Pupils who have automatic recall of multiplication table facts and corresponding division facts have the best chance of mastering formal written methods. The facts up to 9 9 are required for calculation within the ‘columns’ during application of formal written methods, and all mental multiplicative calculation also depends on these facts. Pupils will need regular practice of multiplication tables and associated division facts (including calculating division facts with remainders) to maintain the fluency they achieved by the end of year 4. Pupils should also maintain fluency in related calculations including: scaling known multiplicative facts by 10 or 100 (3NF–3 and 4NF–3) multiplying and dividing by 10 and 100 for calculations that involve whole numbers only (4MD–1) They should develop fluency in: scaling multiplicative facts by one-tenth or one-hundredth (5NF–2) multiplying and dividing by 10 and 100, for calculations that bridge 1 (5MD–1) 277 5MD–3 Multiply using a formal written method Multiply any whole number with up to 4 digits by any one-digit number using a formal written method. Pupils must be able to multiply whole numbers with up to 4 digits by one-digit numbers using short multiplication. Figure 204: short multiplication for multiplication of 2-, 3- and 4-digit numbers by one-digit numbers Pupils should be fluent in interpreting contextual problems to decide when multiplication is the appropriate operation to use, including as part of multi-step problems. Pupils should use short multiplication when appropriate to solve these calculations. Examples are given in 5MD–3. 5MD–4 Divide using a formal written method Divide a number with up to 4 digits by a one-digit number using a formal written method, and interpret remainders appropriately for the context. Pupils must be able to divide numbers with up to 4 digits by one-digit numbers using short division, including calculations that involve remainders. Pupils do not need to be able to express remainders arising from short division, using proper fractions or decimal fractions. Figure 205: short division for division of 2-, 3- and 4-digit numbers by one-digit numbers Pupils should be fluent in interpreting contextual problems to decide when division is the appropriate operation to use, including as part of multi-step problems. Pupils should use short division when appropriate to solve these calculations. For contextual problems, pupils must be able to interpret remainders appropriately as they learnt to do in year 4 (4NF–2 ). Examples are given in 5MD–4 Example assessment questions. 278 Year 6 guidance Ready-to-progress criteria Year 5 conceptual prerequesite Year 6 ready-to-progress criteria Key stage 3 applications Understand the relationship between powers of 10 from 1 hundredth to 1,000 in terms of grouping and exchange (for example, 1 is equal to 10 tenths) and in terms of scaling (for example, 1 is ten times the size of 1 tenth). 6NPV–1 Understand the relationship between powers of 10 from 1 hundredth to 10 million, and use this to make a given number 10, 100, 1,000, 1 tenth, 1 hundredth or 1 thousandth times the size (multiply and divide by 10, 100 and 1,000). Understand and use place value for decimals, measures, and integers of any size. Interpret and compare numbers in standard form , where n is a positive or negative integer or zero. Recognise the place value of each digit in numbers with units from thousands to hundredths and compose and decompose these numbers using standard and non-standard partitioning. 6NPV–2 Recognise the place value of each digit in numbers up to 10 million, including decimal fractions, and compose and decompose numbers up to 10 million using standard and non-standard partitioning. Understand and use place value for decimals, measures, and integers of any size. Order positive and negative integers, decimals, and fractions. Use a calculator and other technologies to calculate results accurately and then interpret them appropriately. Reason about the location of numbers between 0.01 and 9,999 in the linear number system. Round whole numbers to the nearest multiple of 1,000, 100 or 10, as appropriate. Round decimal fractions to the nearest whole number or nearest multiple of 0.01 6NPV–3 Reason about the location of any number up to 10 million, including decimal fractions, in the linear number system, and round numbers, as appropriate, including in contexts. Order positive and negative integers, decimals, and fractions; use the number line as a model for ordering of the real numbers; use the symbols =, ≠, <, >, ≤, ≥ Round numbers and measures to an appropriate degree of accuracy (for example, to a number of decimal places or significant figures). Use approximation through rounding to estimate answers and calculate possible resulting errors expressed using inequality notation a < x ≤ b 279 Year 5 conceptual prerequesite Year 6 ready-to-progress criteria Key stage 3 applications Divide 1000, 100 and 1 into 2, 4, 5 and 10 equal parts, and read scales/number lines with 2, 4, 5 and 10 equal parts. 6NPV–4 Divide powers of 10, from 1 hundredth to 10 million, into 2, 4, 5 and 10 equal parts, and read scales/number lines with labelled intervals divided into 2, 4, 5 and 10 equal parts. Use standard units of mass, length, time, money, and other measures, including with decimal quantities. Construct and interpret appropriate tables, charts, and diagrams. Be fluent in all key stage 2 additive and multiplicative number facts (see Appendix: number facts fluency overview ) and calculation. Manipulate additive equations, including applying understanding of the inverse relationship between addition and subtraction, and the commutative property of addition. Manipulate multiplicative equations, including applying understanding of the inverse relationship between multiplication and division, and the commutative property of multiplication. 6AS/MD–1 Understand that 2 numbers can be related additively or multiplicatively, and quantify additive and multiplicative relationships (multiplicative relationships restricted to multiplication by a whole number). Understand that a multiplicative relationship between 2 quantities can be expressed as a ratio or a fraction. Express 1 quantity as a fraction of another, where the fraction is less than 1 and greater than 1. Interpret mathematical relationships both algebraically and geometrically. Interpret when the structure of a numerical problem requires additive, multiplicative or proportional reasoning. Make a given number (up to 9,999, including decimal fractions) 10, 100, 1 tenth or 1 hundredth times the size (multiply and divide by 10 and 100). Apply place-value knowledge to known additive and multiplicative number facts (scaling facts by 10, 100, 1 tenth or 1 hundredth). Manipulate additive equations. Manipulate multiplicative equations. 6AS/MD–1 Use a given additive or multiplicative calculation to derive or complete a related calculation, using arithmetic properties, inverse relationships, and place-value understanding. Recognise and use relationships between operations including inverse operations. Use algebra to generalise the structure of arithmetic, including to formulate mathematical relationships. Understand and use standard mathematical formulae; rearrange formulae to change the subject. 280 Year 5 conceptual prerequesite Year 6 ready-to-progress criteria Key stage 3 applications Recall multiplication and division facts up to . Apply place-value knowledge to known additive and multiplicative number facts. 6AS/MD–3 Solve problems involving ratio relationships. Use ratio notation, including reduction to simplest form. Divide a given quantity into 2 parts in a given part:part or part:whole ratio; express the division of a quantity into 2 parts as a ratio. Be fluent in all key stage 2 additive and multiplicative number facts and calculation. Manipulate additive equations. Manipulate multiplicative equations. Find a fraction of a quantity. 6AS/MD–4 Solve problems with 2 unknowns. Reduce a given linear equation in two variables to the standard form y = mx + c; calculate and interpret gradients and intercepts of graphs of such linear equations numerically, graphically and algebraically. Use linear and quadratic graphs to estimate values of y for given values of x and vice versa and to find approximate solutions of simultaneous linear equations. Recall multiplication and division facts up to . Find factors and multiples of positive whole numbers, including common factors and common multiples. Find equivalent fractions and understand that they have the same value and the same position in the linear number system. 6F–1 Recognise when fractions can be simplified, and use common factors to simplify fractions. Use the concepts and vocabulary of prime numbers, factors (or divisors), multiples, common factors, common multiples, highest common factor, lowest common multiple, prime factorisation, including using product notation and the unique factorisation property. Simplify and manipulate algebraic expressions by taking out common factors. 281 Year 5 conceptual prerequesite Year 6 ready-to-progress criteria Key stage 3 applications Recall multiplication and division facts up to . Find factors and multiples of positive whole numbers. Find equivalent fractions. Reason about the location of fractions and mixed numbers in the linear number system. 6F–2 Express fractions in a common denomination and use this to compare fractions that are similar in value. Order positive and negative integers, decimals and fractions. Use the 4 operations, including formal written methods, applied to integers, decimals, proper and improper fractions, and mixed numbers, all both positive and negative. Use and interpret algebraic notation, including: a/b in place of coefficients written as fractions rather than as decimals. Reason about the location of fractions and mixed numbers in the linear number system. Find equivalent fractions. 6F–3 Compare fractions with different denominators, including fractions greater than 1, using reasoning, and choose between reasoning and common denomination as a comparison strategy. Order positive and negative integers, decimals, and fractions; use the number line as a model for ordering of the real numbers; use the symbols =, ≠, <, >, ≤, ≥ Find the perimeter of regular and irregular polygons. Compare angles, estimate and measure angles in degrees (°) and draw angles of a given size. Compare areas and calculate the area of rectangles (including squares) using standard units. 6G–1 Draw, compose, and decompose shapes according to given properties, including dimensions, angles and area, and solve related problems. Draw shapes and solve more complex geometry problems (see Mathematics programmes of study: key stage 3 - Geometry and measures). 282 6NPV–1 Powers of 10 Understand the relationship between powers of 10 from 1 hundredth to 10 million, and use this to make a given number 10, 100, 1,000, 1 tenth, 1 hundredth or 1 thousandth times the size (multiply and divide by 10, 100 and 1,000). 6NPV–1 Teaching guidance An understanding of the relationship between the powers of 10 prepares pupils for working with much larger or smaller numbers at key stage 3, when they will learn to read and write numbers in standard form (for example, 8 600,000,000 6 10 ). Pupils need to know that what they learnt in year 3 and year 4 about the relationship between 10, 100 and 1,000 (see 3NPV–1 and 4NPV–1 ), and in year 5 about the relationship between 1, 0.1 and 0.01 (5NPV–1) extends through the number system. By the end of year 6, pupils should have a cohesive understanding of the whole place-value system, from decimal fractions through to 7-digit numbers. Pupils need to be able to read and write numbers from 1 hundredth to 10 million, written in digits, beginning with the powers or 10, as shown below, and should understand the relationships between these powers of 10. one hundredth one tenth one one hundred one thousand ten thousand one hundred thousand one million ten million 0 . 0 1 0 . 1 1 1 0 ten 1 0 0 1 , 0 0 0 1 0 , 0 0 0 1 0 0 , 0 0 0 1 , 0 0 0 , 0 0 0 1 0 , 0 0 0 , 0 0 0 Pupils should know that each power of 10 is equal to 1 group of 10 of the next smallest power of 10, for example 1 million is equal to 10 hundred thousands. Figure 206: ten 100,000-value place-value counters in a tens frame 283 Language focus “10 hundred-thousands is equal to 1 million.” Pupils should also understand this relationship in terms of scaling by 10 or one-tenth. Language focus “1,000,000 is 10 times the size of 100,000.” “100,000 is one-tenth times the size of 1,000,000.” Pupils must also understand the relationships between non-adjacent powers of 10 up to a scaling by 1,000 or 1 thousandth (or grouping of up to 1,000 of a given power). Language focus “10 thousands is equal to 10,000.” “10,000 is 10 times the size of 1,000.” “1,000 is one-tenth times the size of 10,000.” Pupils must also be able to write multiples of these powers of 10, including when there are more than 10 of given power of 10, for example, 18 hundred thousands is written as 1,800,000. Pupils should be able to restate the quantity in the appropriate power of 10, for example 18 hundred thousands is equal to 1 million 8 hundred thousand. Once pupils understand the relationships between powers of ten, they should extend this to other numbers in the Gattegno chart. They must be able to identify the number that is 10, 100, 1,000, 1 tenth, 1 hundredth or 1 thousandth times the size of a given number, and associate this with multiplying or dividing by 10, 100 and 1,000. This will prepare pupils for multiplying by decimals in key stage 3, when they will learn, for example, that dividing by 100 is equivalent to multiplying by 0.01. 284 Figure 207: using the Gattegno chart to multiply and divide by 100 Language focus “50,000 is 100 times the size of 500.” “500 multiplied by 100 is equal to 50,000.” “500 is one-hundredth times the size of 50,000.” “50,000 divided by 100 is equal to 500.” Pupils should recognise the inverse relationship between, for example making a number 100 times the size, and returning to the original number by making it one-hundredth times the size. This understanding should then be extended to multiplicative calculations that involve numbers with more than one significant digit, extending what pupils learnt in 5MD–1 about multiplying and dividing by 10 and 100. 1 ,659 100 165,900 165,900 100 1 ,659 21 ,156 10 211 ,560 211 ,560 10 21 ,156 47.1 1 ,000 47,100 47,100 1 ,000 47.1 Pupils can use the Gattegno chart for support throughout this criterion, but by the end of year 6 they must be able to calculate without it. You can find out more about fluency and recording for these calculations here in the calculation and fluency section: Number, place value and number facts: 6NPV–1 and 6NPV–2 285 Making connections Writing multiples of powers of 10 depends on 6NPV–2. In 6AS/MD–2 pupils use their understanding of place-value and scaling number facts to manipulate equations. 6NPV–1 Example assessment questions Complete the sentences. a. 500 made 1,000 times the size is . b. 0.7 made 100 times the size is . c. 800,000 made 10 times the size is . d. 4,000,000 made one-thousandth times the size is . e. 9,000 made one-hundredth times the size is . f. 3 made one-tenth times the size is . The distance from London to Bristol is about 170km. The distance from London to Sydney, Australia is about 100 times as far. Approximately how far is it from London to Sydney? A newborn elephant weighs about 150kg. A newborn kitten weighs about 150g. How many times the mass of a newborn kitten is a newborn elephant? Walid has a place-value chart and three counters. He has represented the number 1,110,000. a. Find 2 different numbers that Walid could make so that 1 number is one-hundredth times the size of the other number. b. Find 2 different numbers that Walid could make so that 1 number is 1,000 times the size of the other number. Fill in the missing numbers. 10 4.3 10 10 27,158 10 286 100 729 100 100 5,806 100 1 ,000 14.3 1 ,000 1 ,000 2,670,000 1 ,000 Use the following to complete the equations: 10 100 1 ,000 10 100 1 ,000 Use each term only once. 543 5.43 3,169 3,169,000 515 5,150 276,104 27,610.4 35,000 35 427 42,700 6NPV–2 Place value in numbers up to 10,000,000 Recognise the place value of each digit in numbers up to 10 million, including decimal fractions, and compose and decompose numbers up to 10 million using standard and non-standard partitioning. 6NPV–2 Teaching guidance Pupils must be able to read and write numbers up to 10,000,000, including decimal fractions. Pupils should be able to use a separator (such as a comma) every third digit from the decimal separator to help read and write numbers. Pupils must be able to copy numbers from calculator displays, inserting thousands separators and decimal points correctly. This will prepare them for secondary school, where pupils will be expected to know how to use calculators. Pupils need to be able to identify the place value of each digit in a number. 287 Language focus “In 67,000.4… the 6 represents 6 ten-thousands; the value of the 6 is 60,000 the 7 represents 7 thousands; the value of the 7 is 7,000 the 4 represents 4 tenths; the value of the 4 is 0.4” Pupils must be able to combine units from millions to hundredths to compose numbers, and partition numbers into these units, and solve related addition and subtraction calculations. Pupils need to experience variation in the order of presentation of the units, so that they understand, for example, that 5,034,000.2 is equal to 4,000 + 30,000 + 0.2 + 5,000,000. Pupils should be able to represent a given number in different ways, including using place-value counters and Gattegno charts, and write numbers shown using these representations. Pupils should then have sufficient understanding of the composition of large numbers to compare and order them by size. Pupils also need to be able to solve problems relating to subtraction of any single place-value part from a number, for example: 381 ,920 – 900 381 ,920 – 380,920 As well as being able to partition numbers in the ‘standard’ way (into individual place-value units), pupils must also be able to partition numbers in ‘non-standard’ ways, and carry out related addition and subtraction calculations, for example: 518.32 30 548.32 381 ,920 – 60,000 321 ,920 Pupils can initially use place-value counters for support with this type of partitioning and calculation, but by the end of year 6 must be able to partition and calculate without them. You can find out more about fluency and recording for these calculations here in the calculation and fluency section: Number, place value and number facts: 6NPV–1 and 6NPV–2 288 6NPV–2 Example assessment questions What is the value of the digit 5 in each of these numbers? a. 720,541 b. 5,876,023 c. 1,587,900 d. 651,920 e. 905,389 f. 2,120,806.50 g. 8,002,345 h. 701,003.15 Write a seven-digit number that includes the digit 8 once, where the digit has a value of: a. 8 million b. 8 thousand c. 8 hundred d. 80 thousand Fill in the missing symbols (< or >). 7,142,294 7,124,294 99,000 600,000 6,090,100 690,100 1 ,300,610 140,017 589,940 1 ,010,222 Put these numbers in order from smallest to largest. 8,102,304 8,021,403 843,021 8,043,021 289 6NPV–3 Numbers up to 10 million in the linear number system Reason about the location of any number up to 10 million, including decimal fractions, in the linear number system, and round numbers, as appropriate, including in contexts. 6NPV–3 Teaching guidance Pupils have already learnt about the location of whole numbers with up to 4 digits in the linear number system (1NPV–2, 2NPV–2, 3NPV–3 and 4NPV–3 ) and about the location of decimal fractions with up to 2 decimal places between whole numbers in the linear number system (5NPV–3). Pupils must now extend their understanding to larger numbers. Pupils need to be able to identify or place numbers with up to 7 digits on marked number lines with a variety of scales, for example placing 12,500 on a 12,000 to 13,000 number line, and on a 10,000 to 20,000 number line. Figure 208: placing 12,500 on a 12,000 to 13,000 number line marked, but not labelled, in multiples of 100 Figure 209: placing 12,500 on a 10,000 to 20,000 number line marked, but not labelled, in multiples of 1,000 Pupils need to be able to estimate the value or position of numbers on unmarked or partially marked numbers lines, using appropriate proportional reasoning. Figure 210: estimating the position of 65,000 on an unmarked 50,000 to 100,00 number line 290 In the example below, pupils should reason: “a must be about 875,000 because it is about halfway between the midpoint of the number line, which is 850,000, and 900,000.” Figure 211: identifying 875,000 on a 800,00 to 900,000 number line marked only with a midpoint Pupils should understand that, to estimate the position of a number with more significant digits on a large-value number line, they must attend to the leading digits and can ignore values in the smaller place-value positions. For example, when estimating the position of 5,192,012 on a 5,100,000 to 5,200,000 number line they only need to attend to the first 4 digits. Pupils must also be able to round numbers in preparation for key stage 3, when they will learn to round numbers to a given number of significant figures or decimal places. They have already learnt to round numbers with up to 4 digits to the nearest multiple of 1,000, 100 and 10, and to round decimal fractions to the nearest whole number or multiple of 0.1. Now pupils should extend this to larger numbers. They must also learn that numbers are rounded for the purpose of eliminating an unnecessary level of detail. They must understand that rounding is a method of approximating, and that rounded numbers can be used to give estimated values including estimated answers to calculations. Pupils should only be asked to round numbers to a useful and appropriate level: for example, rounding 7-digit numbers to the nearest 1 million or 100,000, and 6-digit numbers to the nearest 100,000 or 10,000. Pupils may use a number line for support, but by the end of year 6, they need to be able to round numbers without a number line. As with previous year groups (3NPV–3 , 4NPV–3 and 5NPV–3), pupils should first learn to identify the previous and next given multiple of a power of 10, before identifying the closest of these values. In the examples below, for 5,192,012, pupils must be able to identify the previous and next multiples of 1 million and 100,000, and round to the nearest of each. Figure 212: using a number line to identify the previous and next multiple of 1 million 291 Figure 213: using a number line to identify the previous and next multiple of 100,000 Language focus “The previous multiple of 1 million is 5 million. The next multiple of 1 million is 6 million.” “The previous multiple of 100,000 is 5,100,000. The next multiple of 100,000 is 5,200,000.” Figure 214: identifying the nearest multiple of 1 million and the nearest multiple of 100,000 Language focus “The closest multiple of 1 million is 5 million.” “5,192,012 rounded to the nearest million is 5 million.” “The closest multiple of 100,000 is 5,200,000.” “5,192,012 rounded to the nearest 100,000 is 5,200,000.” Pupils should explore the different reasons for rounding numbers in a variety of contexts, such as the use of approximate values in headlines, and using rounded values for 292 estimates. They should discuss why a headline, for example, might use a rounded value, and when precise figures are needed. Finally, pupils should also be able to count forwards and backwards, and complete number sequences, in steps of powers of 10 (1, 10, 100, 1,000, 10,000 and 100,000). Pay particular attention to counting over ‘boundaries’, for example: 2,100,000 2,000,000 1,900,000 378,500 379,500 380,500 Making connections Here, pupils must apply their knowledge from 6NPV–1, that each place value unit is made up of 10 of the unit to its right, to understand how each interval on a number line or scale is made up of 10 equal parts. This also links to 6NPV–4, in which pupils need to be able to read scales divided into 2, 4, 5 and 10 equal parts. 6NPV–3 Example assessment questions Show roughly where each of these numbers is located on the number line below. 2,783,450 7,000,500 5,250,000 8,192,092 99,000 Estimate the values of a, b, c and d. For each number: write the previous and next multiple of 1 million circle the previous or next multiple of 1 million which is closest to the number 293 Fill in the missing numbers. 6,361 ,040 6,371 ,040 6,381 ,040 6,391 ,040 6,401 ,040 6,411 ,040 2,004,567 2,003,567 2,002,567 2,001 ,567 2,000,567 1 ,999,567 7,730,004 7,930,004 8,030,004 8,230,004 8,430,004 9,149,301 9,129,301 9,119,301 9,089,301 What might the missing number be in this web page? A swimming pool holds approximately 82,000 litres of water. The capacity of the swimming pool has been rounded to the nearest multiple of 1,000. Fill in the missing numbers to complete the sentences. a. The minimum amount of water that the pool could hold is . b. The maximum amount of water that the pool could hold is . 294 6NPV–4 Reading scales with 2, 4, 5 or 10 intervals Divide powers of 10, from 1 hundredth to 10 million, into 2, 4, 5 and 10 equal parts, and read scales/number lines with labelled intervals divided into 2, 4, 5 and 10 equal parts. 6NPV–4 Teaching guidance It is important for pupils to be able to divide powers of 10 into 2, 4, 5 or 10 equal parts because these are the intervals commonly found on measuring instruments and graph scales. Pupils have already learnt to divide 1, 100 and 1,000 in this way (5NPV–4, 3NPV–4 and 4NPV–4 respectively), and must now extend this to larger powers of 10. Pupils should be able to make connections between powers of 10, for example, describing similarities and differences between the values of the parts when 1 million, 1,000 and 1 are divided into 4 equal parts. Figure 215: bar models showing 1 million, 1,000 and 1 partitioned into 4 equal parts Pupils should be able to skip count in these intervals forwards and backwards from any starting number (for example, counting forward from 800,000 in steps of 20,000, or counting backwards from 5 in steps of 0.25). This builds on counting in steps of 10, 20, 25 and 50 in year 3 (3NPV–4 ), in steps of 100, 200, 250 and 500 in year 4 (4NPV–4), and in steps of 0.1, 0.2, 0.25 and 0.5 in year 5 (5NPV–4). Pupils should practise reading measurement and graphing scales with labelled power-of-10 intervals divided into 2, 4, 5 and 10 equal parts. Pupils need to be able to write and solve addition, subtraction, multiplication and division equations related to powers of 10 divided into 2, 4, 5 and 10 equal parts, as exemplified for 1 million and 4 equal parts below. Pupils should be able to connect finding equal parts of a power of 10 to finding 1 2 , 1 4 , 1 5 or 1 10 of the value. 295 750,000 250,000 1 ,000,000 1 ,000,000 – 250,000 750,000 1 ,000,000 – 750,000 250,000 1 ,000,000 4 250,000 1 ,000,000 250,000 4 4 250,000 1 ,000,000 250,000 4 1 ,000,000 1 4 of 1 ,000,000 250,000 Making connections Dividing powers of 10 into 10 equal parts is also assessed as part of 6NPV–1. Reading scales also builds on number-line knowledge from 6NPV–3. Conversely, experience of working with scales with 2, 4, 5 or 10 divisions in this criterion improves pupils’ estimating skills when working with unmarked number lines and scales as described in 6NPV–3. 296 6NPV–4 Example assessment questions If 1 10 of a 1kg bag of flour is used, how much is left? In 2005, the population of Birmingham was about 1 million. At that time, about 1 5 of the population was over 60 years old. Approximately how many over-60s lived in Birmingham in 2005? A builder ordered 1,000kg of sand. She has about 300kg left. What fraction of the total amount is left? Fill in the missing parts. Fill in the missing numbers. 297 The bar chart shows the approximate populations of 3 different towns. What are the populations? What mass does each scale show? 298 Some children are trying to raise £200,000 for charity. The diagram shows how much they have raised so far. a. How much money have they raised? b. How much more money do they need to raise to meet their target? 6AS/MD–1 Quantify additive and multiplicative relationships Understand that 2 numbers can be related additively or multiplicatively, and quantify additive and multiplicative relationships (multiplicative relationships restricted to multiplication by a whole number). 6AS/MD–1 Teaching guidance Throughout key stage 2, pupils have learnt about and used 2 types of mathematical relationship between numbers: additive relationships and multiplicative relationships. In year 6, pupils should learn to represent the relationship between 2 given numbers additively or multiplicatively, as well as use such a representation to calculate a missing number, including in measures and statistics contexts. Consider the following: Holly has cycled 20km. Lola has cycled 60km. We can describe the relationship between the distances either additively (Lola has cycled 40km further than Holly; Holly has cycled 40km fewer than Lola) or multiplicatively 299 (Lola has cycled 3 times the distance that Holly has cycled). The relationship between the numbers 20 and 60 can be summarised as follows. Figure 216: additive relationship between 20 and 60 Figure 217: multiplicative relationship between 20 and 60 Language focus “The relationship between 2 numbers can be expressed additively or multiplicatively.” As pupils progress into key stage 3, the ability to relate, recognise and use multiplicative relationships is essential. A pupil who can think multiplicatively would, for example, calculate the cost of 1.2m of ribbon at 75p per metre as 1.2 75p , whereas a pupil who was still thinking only in terms of additive relationships would use the approach of finding the cost of 0.2m (15p) and adding it to the cost of 1m (75p). During key stage 3, pupils will regularly use calculators to solve problems with this type of structure, and the multiplicative approach is more efficient because it involves fewer steps. Given any 2 numbers (related by a whole-number multiplier), pupils must be able to identify the additive relationship (in the example above, 40 and 40 ) and the multiplicative relationship (in the example above 3 and 3 ). Though multiplicative relationships should be restricted to whole-number multipliers, pupils should be able to connect division by the whole number to scaling by a unit fraction: in the example above, this corresponds to understanding that because 60 3 20 , 20 is one-third times the size of 60. When given a sequence of numbers, pupils should be able to identify whether the terms are all related additively or multiplicatively, identify the specific difference or multiplier and use this to continue a sequence either forwards or backwards. Pupils will need to use formal written methods to calculate larger numbers in sequences. 300 Figure 218: completing a sequence where the difference between adjacent terms is 7.5 Figure 219: completing a sequence where each term is 5 times the previous Making connections In 6AS/MD–4 pupils solve problems with 2 unknowns, where the relationship between the unknowns may be additive, multiplicative or both, for example: find 2 numbers, where one is 3 times the size of the other, and the difference between them is 40. 301 6AS/MD–1 Example assessment questions Fill in the missing numbers. 300 1 ,200 75 3 0.1 10 300 1 ,200 75 3 0.1 10 Write an expression in each box to show the relationship between numbers 25 and 75. Is there more than one way to answer this question? Explain. The examples below show the first 2 numbers in a sequence. Find 2 different ways to continue each sequence, using addition for the first and multiplication for the second. a. 4 16 or 4 16 b. 2 200 or 2 200 c. 0.01 10 or 0.01 10 Complete these sequences. 0.5 5 9.5 27.5 32 0.5 0.75 1 25 125 625 0.2 6 180 302 6AS/MD–2 Derive related calculations Use a given additive or multiplicative calculation to derive or complete a related calculation, using arithmetic properties, inverse relationships, and place-value understanding. 6AS/MD–2 Teaching guidance In previous year groups in key stage 2 pupils have learnt about and used the commutative and associative properties of addition (3AS–3), and the commutative, associative and distributive properties of multiplication (4MD–2 and 4MD–3 ). Pupils have also implicitly used the compensation property of addition, for example, when partitioning two-digit numbers in different ways in year 2: 70 + 2 = 72 60 + 12 = 72 In year 6, pupils should learn the compensation property of addition. Language focus “If one addend is increased and the other is decreased by the same amount, the sum stays the same.” Pupils should be able to use the compensation property of addition to complete equations such as 25 35 27.5 ?
, and to help them solve calculations such as 27.5 + 32.5. Similarly, pupils may have implicitly used the compensation property of multiplication, for example, when recognising connections between multiplication table facts: 5 8 10 4 In year 6, pupils should learn the compensation property of multiplication. Language focus “If I multiply one factor by a number, I must divide the other factor by the same number for the product to stay the same.” 303 Pupils should be able to use the compensation property of multiplication to complete equations such as 0.3 320 3 ?
, and to help them solve calculations such as 0.3 320 . Pupils have extensive experience about the effect on the product of scaling one factor from 3NF–3 , 4F–3 and 5NF–2, where they learnt to scale known number facts by 10, 100, one-tenth and one-hundredth. Now they can generalise. Language focus “If I multiply one factor by a number, and keep the other factor the same, I must multiply the product by the same number.” Pupils should practise combining their knowledge of arithmetic properties and relationships to solve problems such as the examples here and in the Example assessment questions below. Example problem 1 Question: Explain how you would use the first equation to complete the second equation: 2,448 34 72 72 24,480 Explanation: Use the inverse relationship between multiplication and division to restate the equation: 72 34 2,448 Apply understanding of place-value: the product can be made 10 times the size by making one of the factors 10 times the size. 72 340 24,480 Example problem 2 Question: Explain how you would use the first equation to complete the second equation: 921 349 572 92.1 44.9 Explanation: Apply understanding of place value, making the sum and addends 1 tenth times the size. 92.1 34.9 57.2 Apply the compensation property of addition to solve the equation: add 10 to the first addend and subtract 10 from the second addend. 92.1 44.9 47.2 Pupils should learn to write a series of written equations to justify their solutions. Being able to work fluently with related equations in this way will prepare pupils for manipulating algebraic equations in key stage 3 and writing proofs. 304 Pupils can already apply place-value understanding to known multiplication facts to scale one factor, for example, 3 4 12 , so 3 40 120 . Now they should extend this to scaling both factors, for example, 3 4 12 , so 30 40 1 ,200 . Making connections In this criterion, pupils use their understanding from 6NPV–1 of scaling numbers by 10, 100 and 1,000. 6AS/MD–2 Example assessment questions Fill in the missing numbers. 327 278 330 25 48 50 327 + 515 = 842 Use this calculation to complete the following equations. 61.5 84.2 8,420 – 3,270 85,200 – 52,500 21 ,760 256 85 Use this calculation to complete the following equations. 256 8.5 2,560 85 2,156 85 3,128 23 136 Use the division calculation so solve the following calculation. Explain your answer. 24 136 Fill in the missing number. 25 60 60 120 305 6AS/MD–3 Solve problems involving ratio relationships Solve problems involving ratio relationships. 6ASMD–3 Teaching guidance Pupils already have the arithmetic skills to solve problems involving ratio. They should now learn to describe 1-to-many (and many-to-1) correspondence structures. Language focus “For every 1 cup of rice you cook, you need 2 cups of water.” “For every 10 children on the school trip, there must be 1 adult.” Pupils should learn to complete ratio tables, given a 1-to-many or many-to-1 relationship. cups of rice 1 2 3 4 5 6 cups of water 2 4 6 8 10 12 number of children 10 20 30 40 50 60 number of adults 1 2 3 4 5 6 Pupils must recognise that proportionality is preserved in these contexts, for example, there is always twice the volume of water needed compared to the volume or rice, regardless of how much rice there is. This will prepare pupils for key stage 3, when they will learn to describe correspondence structures using ratio notation and to express ratios in their simplest forms. Pupils should be able to recognise a 1-to-many or many-to-1 structure, without it being explicitly given and use the relationship to solve problems. For example, here pupils should recognise that, in both examples, for every 1 red bead there are 3 blue beads (or for every 3 blue beads there is 1 red bead), irrespective of the arrangement of the beads. 306 Figure 220: bead strings, each with the structure ‘for every 1 red bead, there are 3 blue beads’ For examples like this, pupils should also be able to include the total quantity in a table. number of red beads 1 2 3 4 number of blue beads 3 6 9 12 total number of beads 4 8 12 16 Pupils should also be able to answer questions such as: if there were 5 red beads, how many blue beads would there be? if there were 21 blue beads, how many beads would there be altogether? if there were 40 beads altogether, how many red beads and how many blue beads would there be? Pupils must also learn to describe and solve problems related to many-to-many structures. Language focus “For every 2 yellow beads there are 3 green beads”. Pupils may initially use manipulatives, such as cubes or beads, for support, but by the end of year 6, they must be able to complete many-to-many correspondence tables and solve related problems without manipulatives. number of yellow beads 2 4 6 8 number of green beads 3 6 9 12 total number of beads 5 10 15 20 Pupils should also begin to prepare for using the unitary method at key stage 3, when it is required for unit conversions, percentage calculations and other multiplicative problems. For example, if they are given a smoothie recipe for 2 people (20 strawberries, 1 banana and 150ml milk), they should be able to adjust the recipe by multiplying or dividing by a 307 whole number, for example, dividing the quantities by 2 to find the amounts for 1 person, or multiplying the quantities by 3 to find the amounts for 6 people. At key stage 3, pupils would then, for example, be able to use the unitary method to adjust the recipe for 5 people, via calculating the amounts for 1 person. Making connections To recognise a one-to-many or many-to-one structure, pupils need to be able to identify multiplicative relationships between given numbers (6AS/MD–2). 6AS/MD–3 Example assessment questions For every 1 litre of petrol, Miss Smith’s car can travel about 7km. a. How many kilometres can Miss Smith’s car travel on 6 litres of petrol? b. Miss Smith lives about 28km from school. How many litres of petrol does she use to get to school? For every 3m of fence I need 4 fence panels. The fence will be 15m long. How many fence panels will I need? I am decorating a cake with fruit. I use 2 raspberries for every 3 strawberries. Altogether I put 30 berries on the cake. a. How many raspberries did I use? b. How many strawberries did I use? For every 500g of excess baggage I take on an aeroplane, I must pay £7.50. I have 3.5kg of excess baggage. How much must I pay? 308 Lily and Ralph are eating grapes. The diagram represents the relationship between the number of grapes that the children eat. Fill in the missing numbers. Number of grapes that Lily eats Number of grapes that Ralph eats 1 20 3 Giya is planting flowers in her garden. For every 5 red flowers she plants, she plants 3 yellow flowers. If Giya plants 18 yellow flowers, how many red flowers does she plant? I am making a necklace. So far, it has 4 black beads and 1 white bead. How many more white beads would I need to add so that there are 4 white beads for every 1 black bead? 6AS/MD–4 Solve problems with 2 unknowns Solve problems with 2 unknowns. 6AS/MD–4 Teaching guidance Pupils need to be able to solve problems with 2 unknowns where: there are an infinite number of solutions there is more than 1 solution there is only 1 solution Pupils may have seen equations with 2 unknowns before, for example, when recognising connections between multiplication table facts: 5 10 309 In year 6, pupils must recognise that an equation like this has many (an infinite number) of solutions. They should learn to provide example solutions by choosing a value for one unknown and then calculating the other unknown. Pupils should be able to solve similar problems where there is more than one solution, but not an infinite number, for example: Danny has some 50p coins and some 20p coins. He has £1.70 altogether. How many of each type of coin might he have? In these cases, pupils may choose a value for the first unknown and be unable to solve the equation for the other unknown (pupils may first set the number of 50p pieces at 2, giving £1, only to find that it is impossible to make up the remaining 70p from 20p coins). Pupils should then try a different value until they find a solution. For a bound problem with only a few solutions, like the coin example, pupils should be able to find all possible solutions by working systematically using a table like that shown below. They should be able to reason about the maximum value in each column. Figure 221: finding the 2 solutions to the coin problem: one 50p coin and six 20p coins, or three 50p coins and one 20p coin Pupils must also learn to solve problems with 2 unknowns that have only 1 solution. Common problems of this type involve 2 pieces of information being given about the relationship between the 2 unknowns – 1 piece of additive information and either another piece of additive information or a piece of multiplicative information. Pupils should learn to draw models to help them solve this type of problem. 310 Example problem 1 Question: The sum of 2 numbers is 25, and the difference between them is 7. What are the 2 numbers? Solution: Figure 222: using a bar model to solve a problem with 2 unknowns – example 1 a = 9 + 7 = 16 b = 9 The numbers are 16 and 9. Example problem 2 Question: The sum of 2 numbers is 48. One number is one-fifth times the size of the other number. What are the 2 numbers? Solution: Figure 223: using a bar model to solve a problem with 2 unknowns – example 2 a = 8 b = 5 8 40 The numbers are 8 and 40. Pupils should also be able to use bar modelling to solve more complex problems with 2 unknowns and 1 solution, such as: 4 pears and 5 lemons cost £3.35. 4 pears and 2 lemons cost £2.30. What is the cost of 1 lemon? Figure 224: using a bar model to solve a problem with 2 unknowns – example 3 311 Solving problems with 2 unknowns and 1 solution will prepare pupils for solving simultaneous equations in key stage 3. Pupils should practise solving a range of problems with 2 unknowns, including contextual measures and geometry problems. Making connections Within this criterion, pupils must be able to use their understanding of how 2 numbers can be related additively or multiplicatively (6AS/MD–1). In 6G–1 pupils solve geometry problems with 2 unknowns, for example, finding the unknown length and unknown width of a rectangle with a perimeter of 14cm. 6AS/MD–4 Example assessment questions A baker is packing 60 cakes into boxes. A small box can hold 8 cakes and a large box can hold 12 cakes. a. How many different ways can he pack the cakes? b. How can he pack the cakes with the fewest number of boxes? 1 eraser and 5 pencils cost a total of £3.35. 5 erasers and 5 pencils cost a total of £4.75. a. How much does 1 eraser cost? b. How much does 1 pencil cost? An adult ticket for the zoo costs £2 more than a child ticket. I spend a total of £33 buying 3 adult and 2 child tickets. a. How much does an adult ticket cost? b. How much does a child ticket cost? The balances show the combined masses of some large bags of dog food and some small bags of dog food. How much does each bag-size cost? A rectangle with side-lengths a and b has a perimeter of 30cm. a is a 2-digit whole number and b is a 1-digit whole number. What are the possible values of a and b? 312 The diagram shows the total cost of the items in each row and column. Fill in the 2 missing costs. 6F–1 Simplify fractions Recognise when fractions can be simplified, and use common factors to simplify fractions. 6F–1 Teaching guidance In year 5, pupils learnt to find equivalent fractions (5F–2). Now pupils must build on this and learn to recognise when fractions are not in their simplest form. They should use their understanding of common factors (5MD–2) to simplify fractions. Pupils should learn that when the numerator and denominator of a fraction have no common factors (other than 1) then the fraction is in its simplest form. Pupils should learn that a fraction can be simplified by dividing both the numerator and denominator by a common factor. They must realise that simplifying a fraction does not change its value, and the simplified fraction has the same position in the linear number system as the original fraction. Pupils should begin with fractions where the numerator and denominator have only one common factor other than 1, for example 6 15 . 313 Figure 225: simplifying 6 15 by dividing the numerator and denominator by the common factor of 3 Language focus “A fraction can be simplified when the numerator and denominator have a common factor other than 1.” Pupils should then learn to simplify fractions where the numerator and denominator share several common factors, for example 4 12 . Pupils should understand that they should divide the numerator and denominator by the highest common factor to express a fraction in its simplest form, but that the simplification can also be performed in more than 1 step. Figure 226: simplifying 4 12 by dividing the numerator and denominator by the highest common factor Figure 227: simplifying 4 12 in 2 steps Language focus “To convert a fraction to its simplest form, divide both the numerator and the denominator by their highest common factor.” Pupils should learn to always check their answer when simplifying a fraction to confirm that it is in its simplest form and the only remaining common factor is 1. 314 Pupils should be able to simplify fractions: where the numerator is a factor of the denominator (and therefore also the highest common factor), for example, 3 9 or 7 28 , resulting in a simplified fraction that is a unit fraction where the numerator is not a factor of the denominator, for example, 4 14 or 15 20 , resulting in a simplified fraction that is a non-unit fraction In year 4 pupils learnt to convert between mixed numbers and improper fractions (4F–2 ) and to add and subtract fractions to give a sum greater than 1 (4F–3 ). This criterion on simplifying fractions provides an opportunity for pupils to continue to practise these skills as they learn how to simplify fractions with a value greater than 1. Pupils should consider calculations such as 9 11 12 12 and understand that the resulting improper fraction, 20 12 , can be simplified either directly, or by first converting to a mixed number and then simplifying the fractional part. Figure 228: simplifying 20 12 to 5 3 , then converting to a mixed number Figure 229: converting 20 12 to 5 3 , then simplifying 6F–1 Example assessment questions Sort these fractions according to whether they are expressed in their simplest form or not. 3 15 2 5 4 20 25 36 1 6 7 21 18 30 9 17 5 15 11 20 23 30 Fraction in its simplest form Fraction not in its simplest form 315 Solve these calculations, giving each answer in the simplest form. 2 4 9 9 3 1 7 7 4 2 15 15 5 5 2 12 12 12 2 7 4 13 13 13 4 4 5 5 7 5 3 10 10 10 8 8 1 9 9 9 7 9 10 10 3 2 13 e i g hts + 11 eights 7 1 s i xth minus 1 2 sixths 17 t h irds minus 5 thirds Ahmed says, “To simplify a fraction, you just halve the numerator and halve the denominator.” Is Ahmed’s statement always true, sometimes true or never true? Explain your answer. Put these numbers in order from smallest to largest by simplifying them to unit fractions. 3 18 5 20 4 8 2 18 4 12 6 60 How much water is in this beaker? Write your answer as a fraction of a litre in its simplest form. 316 6F–2 Express fractions in a common denomination Express fractions in a common denomination and use this to compare fractions that are similar in value. 6F–2 Teaching guidance Pupils should already be able to identify multiples of numbers, and common multiples of numbers within the multiplication tables (4NF–1 and 5MD–2). To be ready to progress to key stage 3, given 2 fractions pupils must be able to express them with the same denominator. Pupils should first work with pairs of fractions where one denominator is a multiple of the other, for example, 1 5 and 4 15 . They should learn that the denominator that is the multiple (here 15) can be used as a common denominator. Pupils should then be able to apply what they already know about writing equivalent fractions (5F–2) to express the fractions in a common denomination. Language focus “We need to compare the denominators of and .” "15 is a multiple of 5.” “We can use 15 as the common denominator.” “We need to express both fractions in fifteenths.” Figure 230: expressing 1 5 in fifteenths Pupils must then learn to work with pairs of fractions where one denominator is not a multiple of the other, for example, 1 3 and 3 8 . Pupils should recognise when 1 denominator is not a multiple of the other (here, 3 is not a factor of 8 and 8 is not a multiple of 3) and learn to identify a new denominator that is a common multiple of both denominators. Again, pupils should then be able to apply what they already know about 317 writing equivalent fractions to express the fractions in a common denomination. Language focus “We need to compare the denominators of and .” “8 is not a multiple of 3.” “24 is a multiple of both 3 and 8.” “We can use 24 as the common denominator.” “We need to express both fractions in twenty-fourths.” Figure 231: expressing 1 5 and 3 8 in twenty-fourths At key stage 3, pupils will learn to find the lowest common multiple of any 2 numbers. At key stage 2, being able to find a common multiple of the denominators by multiplying the 2 denominators is sufficient. Language focus “If one denominator is not a multiple of the other, we can multiply the two denominators to find a common denominator.” This does not always result in the lowest common denominator (for example 1 6 and 2 9 can be expressed with a common denominator of 18 rather than 54), and if pupils can identify a lower common denominator then they should use it. Pupils may also recognise when the resulting pair of common denomination fractions can be simplified. Pupils should also be able to find a common denominator for more than 2 fractions, such as 1 3 , 4 15 and 2 5 , when 1 of the denominators is a multiple of the other denominators (in this case 15). 318 Once pupils know how to express fractions with a common denominator, they can use this to compare and order fractions. Language focus “If the denominators are the same, then the larger the numerator, the larger the fraction.” Making connections In 6F-1 pupils learnt to simplify fractions, and applied this to compare and order fractions that can be simplified to unit fractions (see 6F-1 Example assessment questions , question 4). In this criterion, pupils learnt to express fractions in a common denomination, and use this to compare and order fractions. Pupils should be able to identify which method is appropriate for a given pair or set of fractions. Pupils learn more about comparing fractions, and choosing an appropriate method in 6F-3 . 6F–2 Example assessment questions Fill in the missing symbols (<, > or =). You will need to simplify some of the fractions and express each pair with a common denominator. 5 2 7 3 6 3 10 5 7 3 9 4 5 6 7 8 2 7 3 10 2 3 6 9 3 el evenths missing symbol 1 third 1 f ifth missing symbol 2 elevenths Express each set of fractions with a common denominator. Then put them in order from smallest to largest. a. 4 20 1 4 3 10 2 5 b. 2 9 1 3 1 6 4 18 319 Ahmed has a beaker containing 7 10 of a litre of water. Imran has a beaker containing 3 5 of a litre of water. Express the fractions with a common denominator to work out whose beaker contains the most water. Ben and Felicity are both trying to raise the same amount of money for charity. So far, Ben has raise 3 4 of the amount, while Felicity has raised 5 7 of the amount. Express the fractions with a common denominator to work out who is closest to meeting their target. 6F–3 Compare fractions with different denominators Compare fractions with different denominators, including fractions greater than 1, using reasoning, and choose between reasoning and common denomination as a comparison strategy. 6F–3 Teaching guidance In 6F–2 pupils learnt to compare any 2 fractions by expressing them with a common denominator. However fractions can often be compared by reasoning, without the need to express them with a common denominator. Pupils can already compare unit fractions. Language focus “If the numerators are both 1, then the larger the denominator, the smaller the fraction.” Pupils should now extend this to compare other fractions with the same numerator, for example, because 1 5 is greater than 1 6 we know that 2 5 is greater than 2 6 . Figure 232: bar models to compare 2 5 and 2 6 320 Language focus “If the numerators are the same, then the larger the denominator, the smaller the fraction.” Pupils should be able to use reasoning in other ways when comparing fractions: For each fraction they should be able to visualise where it is positioned on a number line, for example, thinking about whether it is greater than or less than 1 2 or whether it is close to 0 or 1. Pupils should be able to reason about the relationship between the numerator and the denominator of each fraction, asking themselves ‘Is this fraction a large or small part of the whole?’. They should be able to reason, for example, 5 6 is greater than 7 11 because 5 is a larger part of 6 than 7 is of 11. For fractions that are a large part of the whole, pupils should be able to reason about how close each fraction is to the whole. For example, 7 8 is 1 8 less than the whole, while 6 7 is 1 7 less than the whole. Since 1 8 is less than than 1 7 , 7 8 must be larger than 6 7 . For a given pair or set of fractions, pupils must learn to assess whether it is more appropriate to compare them using reasoning or to express them in a common denomination. Making connections When given a pair or set of fractions to compare, pupils may need to convert some of the fractions to their simplest form (6F–1). They then need to assess whether it is more appropriate to compare them using reasoning (this criterion) or to express them in a common denomination (6F–2). 321 6F–3 Example assessment questions Which number(s) could go in the missing-number box to make this statement true? 1 1 1 4 10 Without using a common denominator, put each set of fractions in order from smallest to largest.a. 10 8 7 8 5 8 3 8 8 8 4 8 2 8 b. 1 6 1 5 1 8 1 7 1 10 1 9 c. 3 3 3 8 3 11 3 100 3 5 3 halves Sabijah and Will are in a running race. Sabijah has run 9 10 of the race. Will has run 8 9 of the race. Who is further ahead? Explain your reasoning. Fill in the missing symbols (<, > or =). 5 4 6 7 8 7 9 11 Think of a number that can go in each box so that the fractions are arranged in order from smallest to largest. 1 1 4 3 3 5 7 322 6G–1 Draw, compose and decompose shapes Draw, compose, and decompose shapes according to given properties, including dimensions, angles and area, and solve related problems. 6G–1 Teaching guidance Through key stage 2, pupils have learnt to measure perimeters, angles and areas of shapes, and have learnt to draw polygons by joining marked points (3G–2) and draw angles of a given size (5G–1). By the end of year 6, pupils must be able to draw, compose and decompose shapes defined by specific measurements. Composing and decomposing shapes prepares pupils for solving geometry problems at key stage 3, for example, finding the area of a trapezium by decomposing it to a rectangle and 2 triangles. Pupils should be able to draw a named shape to meet a given measurement criterion, for example: drawing a rectangle, on squared-centimetre paper, with a perimeter of 14cm (Example 1 below) drawing a pentagon, on squared-centimetre paper, with an area of 10cm2 (Example 2 below) drawing a triangle at actual size, based on a sketch with labelled lengths and angles (see 6G–1, question 5 ) Example 1 Task: draw a rectangle with a perimeter of 14cm. Example solution: Figure 233: a 5cm by 2cm rectangle on a squared-centimetre grid Drawn to actual size. Example 2 Task: draw a pentagon with an area of 10cm2. Example solution: Figure 234: an irregular pentagon with an area of 10cm2 Drawn to actual size. 323 Examples like these involve more than 1 unknown and have more than 1 solution. Pupils should learn to choose a value for 1 of the variables and work out other unknowns from this. For example, to draw a rectangle with a perimeter of 14cm, the width could be chosen to be 1cm and the length then calculated to be 6cm, or the width could be chosen to be 2cm and the length then calculated to be 5cm. There are 6 possible whole-number solutions to this problem (counting the same rectangle in a different orientation as a separate solution), and pupils may provide any one of them to complete the task. Pupils should be able to reason about dimensions or areas given for part of a shape to determine the values for other parts of a shape or for a compound shape. Example 3 Problem: find the perimeter of the large rectangle on the right. Figure 235: problem involving a compound shape made from 3 identical rectangles Drawn to scale, not actual size Solution: perimeter of large rectangle = 35cm Figure 236 solving a problem involving a compound shape made from 3 identical rectangles Drawn to scale, not actual size 324 Further examples are provided below in 6G–1, questions 4 and 8. Making connections In 6AS/MD-4 pupils learnt to solve problems with 2 unknowns. Drawing a shape to match given properties can correspond to a problem with 2 unknowns (Example 1 above) or more (Example 2 above). 6G–1 Example assessment questions Lois has started drawing a shape on this squared-centimetre grid. Complete her shape so that it has an area of 14cm2. Drawn to actual size 325 Here is a rhombus on a triangular grid. Draw a different shape with the same area on the grid. Draw a hexagon on this squared-centimetre grid. Include one side of length 4cm and one side of length 3cm. Here is a square made from 4 smaller squares. The area of the large square is 64cm2. What is the length of 1 side of each small square? 326 Here is a sketch of a triangle. It is not drawn to scale. Draw the full-size triangle accurately. Use an angle measurer (protractor) and a ruler. Not drawn to scale Here is a picture of a pentagon made from a regular hexagon and an equilateral triangle. The perimeter of the triangle is 24cm. What is the perimeter of the pentagon? Drawn to scale, not actual size 327 Calculation and fluency Number, place value and number facts: 6NPV–1 and 6NPV–2 6NPV–1 Understand the relationship between powers of 10 from 1 hundredth to 10 million, and use this to make a given number 10, 100, 1,000, 1 tenth, 1 hundredth or 1 thousandth times the size (multiply and divide by 10, 100 and 1,000). 6NPV–2 Recognise the place value of each digit in numbers up to 10 million, including decimal fractions, and compose and decompose numbers up to 10 million using standard and non-standard partitioning. Pupils should develop fluency in multiplying numbers by 10, 100 and 1,000 to give products with up to 7 digits, and dividing up to 7-digit numbers by 10, 100 and 1,000. Pupils should be able to carry out calculations based on their understanding of place-value as well as non-standard partitioning, for example: 4,000 30,000 0.2 5,000,000 381 ,920 – 900 518.32 30 381 ,920 – 60,000 Pupils should also be able to apply their place-value knowledge for larger numbers to known additive and multiplicative number facts, including scaling both factors of a multiplication calculation, for example: 8 6 14 800,000 600,000 1 ,400,000 3 4 12 3 40,000 120,000 300 400 120,000 Representations such as place-value counters, partitioning diagrams and Gattegno charts can be used initially to help pupils understand calculation strategies and make connections between known facts and related calculations. However, pupils should not rely on such representations for calculating. Pupils should maintain fluency in both formal written and mental methods for calculation. Mental methods can include jottings to keep track of calculations. Pupils should select the most efficient method to calculate depending on the numbers involved. Pupils should learn to check their calculations with a calculator so that they know how to use one. This will help pupils when they progress to key stage 3. 328 Addition and subtraction: formal written methods Pupils should continue to practise adding whole numbers with up to 4 digits, and numbers with up to 2 decimal places, using columnar addition. This should include calculations with more than 2 addends, and calculations with addends that have different numbers of digits. Figure 237: range of columnar addition calculations For calculations with more than 2 addends, pupils should add the digits within a column in the most efficient order. For the second example above, efficient choices could include: beginning by making 10 in the ones column making double-6 in the hundreds column Pupils should continue to practise using columnar subtraction for numbers with up to 4 digits, and numbers with up to 2 decimal places. This should include calculations where the minuend and subtrahend have a different numbers of digits or decimal places, and those involving exchange through 0. Figure 238: range of columnar subtraction calculations Pupils should make sensible decisions about how and when to use columnar methods. For example, when subtracting a decimal fraction from a whole number, pupils may be able to use their knowledge of complements, avoiding the need to exchange through zeroes. For example, to calculate 8 – 4.85 pupils should be able to work out that the decimal complement to 5 from 4.85 is 0.15, and that the total difference is therefore 3.15. 329 Pupils should learn to check their columnar addition and subtraction calculations with a calculator so that they know how to use one. This will help pupils when they progress to key stage 3. Multiplication: extending 5MD–3 In year 5, pupils learnt to multiply any whole number with up to 4 digits by any 1-digit number using short multiplication (5MD–3). They should continue to practise this in year 6. Pupils should also learn to use short multiplication to multiply decimal numbers by 1-digit numbers, and use this to solve contextual measures problems, including those involving money. Figure 239: range of short multiplication calculations Pupils should be able to multiply a whole number with up to 4 digits by a 2-digit whole number by applying the distributive property of multiplication (4MD–3 ). This results in multiplication by a multiple of 10 (which they can carry out by writing the multiple of 10 as a product of 2 factors (5MD–3) and multiplication by a one-digit number. 124 26 124 20 124 6 124 2 10 124 6 2,480 744 3,224 Pupils should be able to represent this using the formal written method of long multiplication, and explain the connection to the partial products resulting from application of the distributive law. 330 Figure 240: long multiplication calculation Pupils should be fluent in interpreting contextual problems to decide when multiplication is the appropriate operation to use, including as part of multi-step problems. Pupils should use short or long multiplication as appropriate to solve these calculations. Pupils should learn to check their short and long multiplication calculations with a calculator so that they know how to use one. This will help pupils when they progress to key stage 3. Division: extending 5MD–4 In year 5, pupils learnt to divide any whole number with up to 4 digits by a 1-digit number using short division, including with remainders (5MD–4). They should continue to practise this in year 6. Pupils should also learn to use short division to express remainders as a decimal fraction. Figure 241: range of short division calculations For contextual problems, pupils must be able to interpret remainders appropriately as they learnt to do in year 4 (4NF–2 ). This should be extended to making an appropriate decision about how to represent the remainder. Consider the question “4 friends equally share the cost of a £109 meal. How much does each of them pay?” Pupils should recognise that an answer of £27 remainder 1 is not helpful in this context, and that they need to express the answer as a decimal fraction (£27.25) to provide a sufficient answer to the question. Pupils should also be able to divide any whole number with up to 4 digits by a 2-digit number, recording using either short or long division. Pupils are likely to need to write out multiples of the divisor to carry out these calculations and can do this efficiently using a 331 ratio table – they can write out all multiples up to 10 (working in the most efficient order) or write out multiples as needed. 1 17 2 34 3 51 4 68 5 85 6 7 8 136 Figure 242: long division calculation ( , 8 211 17 ) Pupils should be fluent in interpreting contextual problems to decide when division is the appropriate operation to use, including as part of multi-step problems. Pupils should use short or long division as appropriate to solve these calculations. Pupils should learn to check their short and long division calculations with a calculator so that they know how to use one. This will help pupils when they progress to key stage 3. 332 Appendix: number facts fluency overview Addition and subtraction facts The full set of addition calculations that pupils need to be able to solve with automaticity are shown in the table below. Pupils must also be able to solve the corresponding subtraction calculations with automaticity. + 0 1 2 3 4 5 6 7 8 9 10 0 1 2 3 4 5 6 7 8 9 10 Pupils must be fluent in these facts by the end of year 2, and should continue with regular practice through year 3 to secure and maintain fluency. It is essential that pupils have automatic recall of these facts before they learn the formal written methods of columnar addition and subtraction. The Factual fluency progression table at the end of this appendix summarises the order in which pupil should learn these additive number facts. 333 Multiplication and division facts The full set of multiplication calculations that pupils need to be able to solve by automatic recall are shown in the table below. Pupils must also have automatic recall of the corresponding division facts. Pupils must be fluent in these facts by the end of year 4, and this is assessed in the multiplication tables check. Pupils should continue with regular practice through year 5 to secure and maintain fluency. The 36 most important facts are highlighted in the table. Fluency in these facts should be prioritised because, when coupled with an understanding of commutativity and fluency in the formal written method for multiplication, they enable pupils to multiply any pair of numbers. The Factual fluency progression table at the end of this appendix summarises the order in which pupil should learn these multiplicative number facts. Pupils should learn the multiplication tables in the ‘families’ described in the progression table – making connections between the multiplication tables in each family will enable pupils to develop automatic recall more easily, and provide a deeper understanding of multiplication and division. 334 Factual fluency progression Year 1 Year 2 Year 3 Year 4 Year 5 Additive factual fluency Addition and subtraction within 10. Addition and subtraction across 10. Secure and maintain fluency in addition and subtraction within and across 10, through continued practice. Multiplicative factual fluency Recall the 10 and 5 multiplication tables, and corresponding division facts. Recall the 3, 6 and 9 multiplication tables, and corresponding division facts. Secure and maintain fluency in all multiplication tables, and corresponding division facts, through continued practice. Recall the 2, 4 and 8 multiplication tables, and corresponding division facts. Recall the 7 multiplication table, and corresponding division facts. Recall the 11 and 12 multiplication tables, and corresponding division facts. 335 © Crown copyright 2020 This publication (not including logos) is licensed under the terms of the Open Government Licence v3.0 except where otherwise stated. Where we have identified any third party copyright information you will need to obtain permission from the copyright holders concerned. To view this licence: visit www.nationalarchives.gov.uk/doc/open-government-licence/version/3 email psi@nationalarchives.gsi.gov.uk write to Information Policy Team, The National Archives, Kew, London, TW9 4DU About this publication: enquiries www.education.gov.uk/contactus download www.gov.uk/government/publications Reference: DfE-00100-2020 Follow us on Twitter: @educationgovuk Like us on Facebook: facebook.com/educationgovuk |
190129 | https://www.ck12.org/flexi/cbse-math/inverse-trigonometric-functions/what-are-the-properties-of-inverse-trigonometric-functions/ | What are the properties of inverse trigonometric functions? - Characteristics & Properties | CK-12 Foundation
Subjects Explore
Donate
Sign InSign Up
All Subjects
CBSE Math
Inverse Trigonometric Functions
Question
What are the properties of inverse trigonometric functions?
Flexi Says:
The inverse trigonometric functions have several important properties. Here are some of them:
Domain and Range:
The domain and range of inverse trigonometric functions are opposite to those of trigonometric functions. For example, the domain of sin−1x is −1≤x≤1 and its range is −π 2≤y≤π 2.
Odd/Even Property:
The functions sin−1x, tan−1x, and csc−1x are odd functions, i.e., f(−x)=−f(x). The functions cos−1x, sec−1x, and cot−1x are neither odd nor even.
Additive Property:
The inverse trigonometric functions do not have the additive property like the trigonometric functions. For example,sin−1(x+y) is not equal to sin−1x+sin−1y.
Principal Value:
Every inverse trigonometric function has a principal value. For example, the principal value of sin−1x lies in the interval −π 2≤y≤π 2.
Composition:
The composition of a trigonometric function and its inverse gives the original value. For example,sin(sin−1x)=x and sin−1(sinx)=x for −π 2≤x≤π 2.
Periodicity:
Unlike trigonometric functions, inverse trigonometric functions are not periodic.
Analogy / Example
Try Asking:
What is the typical shape of the graph for y = arctan x?What is the domain and range of inverse cosec(x)?Identities of inverse trigonometric functions with negative angles.
How can Flexi help?
By messaging Flexi, you agree to our Terms and Privacy Policy |
190130 | https://www.purplemath.com/modules/systlin6.htm | Published Time: Thu, 13 Mar 2025 18:47:06 GMT
Systems of Linear Equations: Gaussian Elimination | Purplemath
Skip to main content
Home
Lessons
HW Guidelines
Study Skills Quiz
Find Local Tutors
Demo MathHelp.com
Join MathHelp.com
Login
Select a Course Below
Standardized Test Prep
ACCUPLACER Math
ACT Math
ALEKS Math
ASVAB Math
CBEST Math
CLEP Math
FTCE Math
GED Math
GMAT Math
GRE Math
HESI Math
Math Placement Test
NES Math
PERT Math
PRAXIS Math
SAT Math
TEAS Math
TSI Math
VPT Math
+ more tests
K12 Math
5th Grade Math
6th Grade Math
Pre-Algebra
Algebra 1
Geometry
Algebra 2
College Math
College Pre-Algebra
Introductory Algebra
Intermediate Algebra
College Algebra
Homeschool Math
Pre-Algebra
Algebra 1
Geometry
Algebra 2
Search
Systems of Linear Equations: Gaussian Elimination
DefinitionsGraphingSpecial CasesSubstitutionElimination/AdditionGaussian EliminationMore Examples
Purplemath
Solving three-variable, three-equation linear systems is more difficult, at least initially, than solving the two-variable, two-equation systems, because the computations involved are more involved; there are just so many opportunities for careless mistakes to creep in. (I speak from painful experience.) So, when moving on from two-variable linear systems to more complicated situations, you will need to be very neat in your working, and you should plan to use lots of scratch paper. Lots and lots of scratch paper.
Content Continues Below
MathHelp.com
(The methodology for solving these larger systems of equations is an extension of the two-variable solving-by-addition method, so make sure you know this method well and can consistently use it correctly.)
Though the method of solution is based on addition/elimination, trying to do actual the actual addition tends quickly to become confusing, so there is a systematized method for solving three-or-more-variables linear systems. This method is called "Gaussian elimination".
(This solution method is named after Carl Friedrich Gauss, though Europeans had actually gotten this method from Isaac Newton a couple centuries earlier, who had come up with it independently about fifteen hundred years after the Chinese had developed it.)
Let's start simple, and work our way up to messier examples.
Solve the following system of equations.
5x + 4 y – z = 0
10 y – 3 z = 11
z = 3
It's fairly easy to see how to get started in solving this system. The third equation in the system, the one at the bottom of the stack above, is a simple one-variable equality; namely, that z=3. The second equation, the middle one in the stack above, has only the variables y and z. The simplest next step for me, then, it to substitute the z-value from the third equation back into the second equation. Then I'll solve the resulting one-variable equation for the value of y; in other words, I'll use that second equation to back-solve for y.
10 y – 3(3) = 11
10 y – 9 = 11
10 y = 20
y = 2
This gives me the second value in this three-variable system. The only variable left is x. The first equation in the system, the one at the top of the stack above, contains this variable. I already have the values of y and z, so I'll plug their value in for their variables in the first equation, and back-solve for x.
5x + 4(2) – (3) = 0
5 x + 8 – 3 = 0
5 x + 5 = 0
5 x = –5
x = –1
This is the third value for the solution to this system of equations. Keeping in mind that the variables will be listed in this three-coordinate point alphabetically, my answer is:
(x, y, z) = (−1, 2, 3)
Affiliate
The reason this system was easy to solve is that the system was "upper triangular"; this refers to the equations having the form of a triangle in the upper corner, because the first row contained terms with all three variables, the second row contained only terms with the second and third variable, and the third row contained a term only with the third variable. Outlining this region creates that upper-corner triangle, as shown below.
(This formation is also called "echelon" form (pronounced "ESH-eh-lahn") or "row-echelon" form, from the military definition of "echelon" being where each row (of soldiers or tanks or whatever) is shorter than the one immediately behind it. In this case, each row (of variable terms) in the matrix of equations is shorter than the row above it.)
The point is that, in this format, the system is simple to solve. And Gaussian elimination is the method we'll use to convert systems to this upper triangular form, using the "row operations" (that is, the multiplying through, the dividing through, and the adding down) that we saw when we learned the "addition/elimination method" of solving systems of equations on the previous page.
Content Continues Below
Solve the following system of equations using Gaussian elimination.
–3 x + 2 y – 6 z = 6
5 x + 7 y – 5 z = 6
x + 4 y – 2 z = 8
No equation is solved for a variable, so I'll have to do the multiplication-and-addition thing to simplify this system. In order to keep track of my work, I'll write down each step as I go. But I'll do my computations on scratch paper. Here is how I did it:
The first thing to do is to get rid of the leading x-terms in two of the rows. For now, I'll just look at which rows will be easy to clear out; I can switch the rows' order later, if needed, to put the system into upper triangular form.
There is no rule that says I have to use the x-term from the first row, and, in this case, I think it will be simpler to use the x-term from the third row, since its coefficient is simply "1". So I'll multiply the third row by 3, and add it to the first row. I first do my actual computations on scratch paper:
...and then I write down the results:
(When we were solving two-variable systems on the previous page, we could multiply a row, rewriting the system off to the side, and then add down. There is no space for this in a three-variable system, which is why we need the scratch paper.)
Please take careful note: I didn't actually do anything to the third row — I had used the third row, but I hadn't actually changed the third row — so I merely copied it over, unchanged, into the new matrix of equations. I neither changed nor used the second row, so I copied it over, unchanged, to the new matrix as well. The only row that was actually changed was the first row; in the new matrix, you can see that I wrote in the results of my scratch-work.
Do not confuse "using" with "changing".
(To make my steps clear for the grader (and for me, when I review later for the test), I have annotated the arrow between the two steps to show that I'd multiplied the third row by three, and then had added the result to the first row, in order to get a new first row.)
I generally prefer to work with smaller numbers, and I notice that all the coefficients in the (new) first row are even. So, to get smaller coefficients, I'll multiply the first row by one-half (or, which is the same thing, divide through by 2):
Now that's I've removed the x-term from R 1, I turn my attention to R 2. I could divide this row by −5 and then add this to the third row (leaving the in-use second row unchanged), but this will give me loads of fractions in the third row. I'd like to avoid fractions as long as possible. So, instead, I'll multiply the third row by −5 and add the result to the second row (leaving the in-use third row unchanged). I do this work on scratch paper:
I haven't done anything with the first row, so I'll copy it to the new system unchanged. I worked with the third row (in my scratch-work), but I only worked on the second row, so the second row will be updated in the new system, but the third row will be copied over unchanged.
Advertisement
Okay, now the x-column is cleared out except for the leading term in the third row. So, to work further toward triangular form, I next have to work on the y-column.
Affiliate
Affordable tutors for hire
Find tutors
Note: Since the third equation has an x-term, I cannot use it on either of the other two equations any more — or I'll undo my progress in clearing those rows of x-terms. I can work on the equation (using other rows to clear the y-term), but not with it (that is, I cannot apply it to the other two rows).
Looking at the first and second rows, I see that I could divide the first row by 7 and the second row by 13, and then the y-terms will cancel. But this will give me loads of fractions. I could multiply to the least common multiple, which is 91, but then the numbers will start getting kinda big. Neither of these options is "wrong"; it's just that I'm lazy, so I'm going to see if there might be a better option.
If I multiply the first row by 2 and add the result to the second row, this will give me a leading 1 in the second row. I won't have gotten rid of the leading y-term in the second row, but I will have converted it (without bogging down in fractions) to a form that is simpler to deal with. (You should keep an eye out for this sort of simplification.) First I do the scratch work:
I update the second row, leaving the first (that I'd worked with but not on) and third (with which I'd done nothing) unchanged.
Now I can use the second row to clear out the y-term in the first row. I'll multiply the second row by −7 and add the result to the first row. First I do my scratch work:
I worked with R 2, but only on R 1; I did nothing with R 3. So I leave R 2 and R 3 unchanged, updating the system with the new R 1.
I can now see what the value of z is but, just to be thorough, I'll divide through on the first row by 43. Then I'll rearrange the rows to put them in upper-triangular form:
Now I can start the process of back-solving:
y – 7(1) = –4
y – 7 = –4
y = 3
That's a second variable done. Now I'll do the final back-solving:
x + 4(3) – 2(1) = 8
x + 12 – 2 = 8
x + 10 = 8
x = –2
I now have values for each of the three variables. I found these values in, as it happened to turn out, reverse-alphabetical order. I'll need to remember to write my solution with the variables in the correct, alphabetical order.
(x, y, z) = (−2, 3, 1)
Note: There is nothing sacred about the steps I used in solving the above system; there was nothing special about how I solved this system. You could work in a different order or simplify or combine different rows in different ways, and still come up with the correct answer. These systems are sufficiently complicated that there is unlikely ever to be only one right way of computing the answer. So don't stress over "how did she know to do that next?", because there is no rule. I didn't "know"; I just did whatever I happened to notice first, or whatever happened to struck my fancy; I did whatever seemed simplest or whatever first sprang to mind.
Don't worry if you would have used completely different steps from a classmate or your instructor. As long as each step along your way is correct, then you will come up with the same answer.
Affiliate
In the above example, I could have gone further in my computations and been more thorough-going in my row operations, clearing out all the y-terms other than that in the second row and all the z-terms other than that in the first row. This would then have been the entire process, from beginning to end:
When a system is reduced in this way, I can just read off the values of x, y, and z directly from the system; I don't have to bother with the back-substitution. This more-complete method of solving is called "Gauss-Jordan elimination" (the "Jordan" part being named after Wilhelm Jordan). When the equations are reduced to this point, where you can simply read off the solution, the system is said to be in "reduced" row-echelon form.
Many textbooks only go as far as Gaussian elimination, but I've always found it easier to continue on and do Gauss-Jordan. And no instructor should ever count off for your doing extra steps or being "too complete" in your work. Unless otherwise specified, do what you like.
Note that I did two row operations at once in that last step before switching the rows. As long as I'm not working with and working on the same row in the same step, this is okay. In that last step, I was working with the first row, using it to work on the second and third rows.
And yes, solving systems of linear equations (by hand) is often, even usually, this long and involved. Like I said before: lots and lots of scratch paper.
The next page has more worked examples.
URL:
You can use the Mathway widget below to practice solving systems of linear equations with three or more variables (or skip the widget and continue on to the next page). Try the entered exercise, or type in your own exercise. Click the button and select "Solve using Gaussian Elimination" to compare your answer to Mathway's.
Please accept "preferences" cookies in order to enable this widget.
(Click "Tap to view steps" to be taken directly to the Mathway site for a paid upgrade.)
Page 1Page 2Page 3Page 4Page 5Page 6Page 7
Select a Course Below
Standardized Test Prep
ACCUPLACER Math
ACT Math
ALEKS Math
ASVAB Math
CBEST Math
CLEP Math
FTCE Math
GED Math
GMAT Math
GRE Math
HESI Math
Math Placement Test
NES Math
PERT Math
PRAXIS Math
SAT Math
TEAS Math
TSI Math
VPT Math
+ more tests
K12 Math
5th Grade Math
6th Grade Math
Pre-Algebra
Algebra 1
Geometry
Algebra 2
College Math
College Pre-Algebra
Introductory Algebra
Intermediate Algebra
College Algebra
Homeschool Math
Pre-Algebra
Algebra 1
Geometry
Algebra 2
Share This Page
Terms of Use
Privacy / Cookies
Contact
About Purplemath
About the Author
Tutoring from PM
Advertising
Linking to PM
Site licencing
Visit Our Profiles
© 2024 Purplemath, Inc.All right reserved.Web Design by |
190131 | https://www.chegg.com/homework-help/questions-and-answers/isocitric-acid-optically-active-citric-acid--identify-probable-structure-citric-acid--hooc-q81761081 | Solved Isocitric acid is optically active but citric acid is | Chegg.com
Skip to main content
Books
Rent/Buy
Read
Return
Sell
Study
Tasks
Homework help
Understand a topic
Writing & citations
Tools
Expert Q&A
Math Solver
Citations
Plagiarism checker
Grammar checker
Expert proofreading
Career
For educators
Help
Sign in
Paste
Copy
Cut
Options
Upload Image
Math Mode
÷
≤
≥
o
π
∞
∩
∪
√
∫
Math
Math
Geometry
Physics
Greek Alphabet
Science
Chemistry
Chemistry questions and answers
Isocitric acid is optically active but citric acid is not. Identify the probable structure of citric acid. а. ОН HOOCH2C . соон COOH b. НО СООН ноосн,ссоон С. OH ноосH-C. COOH Соон d. A and
Your solution’s ready to go!
Our expert help has broken down your problem into an easy-to-learn solution you can count on.
See Answer See Answer See Answer done loading
Question: Isocitric acid is optically active but citric acid is not. Identify the probable structure of citric acid. а. ОН HOOCH2C . соон COOH b. НО СООН ноосн,ссоон С. OH ноосH-C. COOH Соон d. A and
Show transcribed image text
Here’s the best way to solve it.Solution Share Share Share done loading Copy link Isocitric acid is a TCA intermediate and an isomer of citric acid. It is a chiral …
View the full answer Previous questionNext question
Transcribed image text:
Isocitric acid is optically active but citric acid is not. Identify the probable structure of citric acid. а. ОН HOOCH2C . соон COOH b. НО СООН ноосн,ссоон С. OH ноосH-C. COOH Соон d. A and
Not the question you’re looking for?
Post any question and get expert help quickly.
Start learning
Chegg Products & Services
Chegg Study Help
Citation Generator
Grammar Checker
Math Solver
Mobile Apps
Plagiarism Checker
Chegg Perks
Company
Company
About Chegg
Chegg For Good
Advertise with us
Investor Relations
Jobs
Join Our Affiliate Program
Media Center
Chegg Network
Chegg Network
Busuu
Citation Machine
EasyBib
Mathway
Customer Service
Customer Service
Give Us Feedback
Customer Service
Manage Subscription
Educators
Educators
Academic Integrity
Honor Shield
Institute of Digital Learning
© 2003-2025 Chegg Inc. All rights reserved.
Cookie NoticeYour Privacy ChoicesDo Not Sell My Personal InformationGeneral PoliciesPrivacy PolicyHonor CodeIP Rights
Do Not Sell My Personal Information
When you visit our website, we store cookies on your browser to collect information. The information collected might relate to you, your preferences or your device, and is mostly used to make the site work as you expect it to and to provide a more personalized web experience. However, you can choose not to allow certain types of cookies, which may impact your experience of the site and the services we are able to offer. Click on the different category headings to find out more and change our default settings according to your preference. You cannot opt-out of our First Party Strictly Necessary Cookies as they are deployed in order to ensure the proper functioning of our website (such as prompting the cookie banner and remembering your settings, to log into your account, to redirect you when you log out, etc.). For more information about the First and Third Party Cookies used please follow this link.
More information
Allow All
Manage Consent Preferences
Strictly Necessary Cookies
Always Active
These cookies are necessary for the website to function and cannot be switched off in our systems. They are usually only set in response to actions made by you which amount to a request for services, such as setting your privacy preferences, logging in or filling in forms. You can set your browser to block or alert you about these cookies, but some parts of the site will not then work. These cookies do not store any personally identifiable information.
Functional Cookies
[x] Functional Cookies
These cookies enable the website to provide enhanced functionality and personalisation. They may be set by us or by third party providers whose services we have added to our pages. If you do not allow these cookies then some or all of these services may not function properly.
Performance Cookies
[x] Performance Cookies
These cookies allow us to count visits and traffic sources so we can measure and improve the performance of our site. They help us to know which pages are the most and least popular and see how visitors move around the site. All information these cookies collect is aggregated and therefore anonymous. If you do not allow these cookies we will not know when you have visited our site, and will not be able to monitor its performance.
Sale of Personal Data
[x] Sale of Personal Data
Under the California Consumer Privacy Act, you have the right to opt-out of the sale of your personal information to third parties. These cookies collect information for analytics and to personalize your experience with targeted ads. You may exercise your right to opt out of the sale of personal information by using this toggle switch. If you opt out we will not be able to offer you personalised ads and will not hand over your personal information to any third parties. Additionally, you may contact our legal department for further clarification about your rights as a California consumer by using this Exercise My Rights link.
If you have enabled privacy controls on your browser (such as a plugin), we have to take that as a valid request to opt-out. Therefore we would not be able to track your activity through the web. This may affect our ability to personalize ads according to your preferences.
Targeting Cookies
[x] Switch Label label
These cookies may be set through our site by our advertising partners. They may be used by those companies to build a profile of your interests and show you relevant adverts on other sites. They do not store directly personal information, but are based on uniquely identifying your browser and internet device. If you do not allow these cookies, you will experience less targeted advertising.
Cookie List
Clear
[x] checkbox label label
Apply Cancel
Consent Leg.Interest
[x] checkbox label label
[x] checkbox label label
[x] checkbox label label
Reject All Confirm My Choices
mmmmmmmmmmlli mmmmmmmmmmlli mmmmmmmmmmlli |
190132 | https://www.desmos.com/calculator/yl60qp93x9 | Cubic function | Desmos
Loading...
Cubic function
Save Copy
Log In Sign Up
Expression 1: "y" equals "x" cubed y=x 3
1
Hidden Label: left parenthesis, 0 , 0 , right parenthesis 0,0
[x] Label
2
Expression 3: "y" equals "a" left parenthesis, "x" minus "h" , right parenthesis cubed plus "k"y=a x−h 3+k
3
Hidden Label: left parenthesis, "h" , "k" , right parenthesis h,k
[x] Label
equals=
left parenthesis, 0 , 0 , right parenthesis 0,0
4
Expression 5: "a" equals 1 a=1
negative 10−1 0
10 1 0
5
Expression 6: "h" equals 0 h=0
negative 10−1 0
10 1 0
6
Expression 7: "k" equals 0 k=0
negative 10−1 0
10 1 0
7
8
powered by
powered by
"x"x
"y"y
"a" squared a 2
"a" Superscript, "b" , Baseline a b
7 7
8 8
9 9
divided by÷
functions
((
))
less than<
greater than>
4 4
5 5
6 6
times×
| "a" ||a|
,,
less than or equal to≤
greater than or equal to≥
1 1
2 2
3 3
negative−
A B C
StartRoot, , EndRoot
pi π
0 0
..
equals=
positive+ |
190133 | https://www.youtube.com/watch?v=2fW8QUjNl0I | Calculus 1 Using the IVT to show that a zero exists on an interval for a function
Brian McLogan
1600000 subscribers
196 likes
Description
24177 views
Posted: 30 Aug 2016
Subscribe! Want more math video lessons? Visit my website to view all of my math videos organized by course, chapter and section. The purpose of posting my free video tutorials is to not only help students but allow teachers the resources to flip their classrooms and allow more time for teaching within the classroom. Please feel free to share my resources with those in need or let me know if you need any additional help with your math studies. I am a true educator and here to help you out.
11 comments
Transcript:
but if you guys can just pay attention to what I am doing over here um Again by using the intermediate value theorem it's basically saying if a function is continuous so here's our function is that continuous for all we know yes absolutely right then it's saying on a closed interval do we see you guys see we have a closed interval right so what they're saying is there is a number any number that's in between our two intervals right so any number that we can kind of pick inside of there we know it's going to be in our um is going to be a value that's inside the function now why the intermediate value is very important is because well in between that closed interval if I have a positive and a negative number the only way to go from positive to negative if you have an F ofx that becomes negative and an fx becomes positive that means somehow whatever this function looks like we had to cross the x- axxis right that means that that F of C has to equal zero and those are your critical numbers right those are like our zeros of a function you know and of anything to do this to show that F of C exists what we need to do is evaluate the function on both intervals when we do that we get eight when we evaluate for f of three we get that becomes 9 9 = 1 so you guys see we started off with a positive number on our interval and we ended with a negative number correct what that tells us then is there has to be a zero that exists by the intermediate value theorem so on your on your test what you would basically say is um f of C so you'd write verbatim FX is continuous on the closed interval 0 to three and negative one or zero has to be less than or equal to or is greater than equal to negative 1 which is greater than equal to 8 then there exists C where zero has to be less than or equal to C Which is less than or equal to three where F of C equals z by the intermate value there and when you have a problem like that they are going to want to see you writing that out do not worry |
190134 | https://math.stackexchange.com/questions/4775465/angle-between-tangent-circles-in-constant-diameter-cam | geometry - Angle between tangent circles in constant diameter cam - Mathematics Stack Exchange
Join Mathematics
By clicking “Sign up”, you agree to our terms of service and acknowledge you have read our privacy policy.
Sign up with Google
OR
Email
Password
Sign up
Already have an account? Log in
Skip to main content
Stack Exchange Network
Stack Exchange network consists of 183 Q&A communities including Stack Overflow, the largest, most trusted online community for developers to learn, share their knowledge, and build their careers.
Visit Stack Exchange
Loading…
Tour Start here for a quick overview of the site
Help Center Detailed answers to any questions you might have
Meta Discuss the workings and policies of this site
About Us Learn more about Stack Overflow the company, and our products
current community
Mathematics helpchat
Mathematics Meta
your communities
Sign up or log in to customize your list.
more stack exchange communities
company blog
Log in
Sign up
Home
Questions
Unanswered
AI Assist Labs
Tags
Chat
Users
Teams
Ask questions, find answers and collaborate at work with Stack Overflow for Teams.
Try Teams for freeExplore Teams
3. Teams
4. Ask questions, find answers and collaborate at work with Stack Overflow for Teams. Explore Teams
Teams
Q&A for work
Connect and share knowledge within a single location that is structured and easy to search.
Learn more about Teams
Hang on, you can't upvote just yet.
You'll need to complete a few actions and gain 15 reputation points before being able to upvote. Upvoting indicates when questions and answers are useful. What's reputation and how do I get it?
Instead, you can save this post to reference later.
Save this post for later Not now
Thanks for your vote!
You now have 5 free votes weekly.
Free votes
count toward the total vote score
does not give reputation to the author
Continue to help good content that is interesting, well-researched, and useful, rise to the top! To gain full voting privileges, earn reputation.
Got it!Go to help center to learn more
Angle between tangent circles in constant diameter cam
Ask Question
Asked 2 years ago
Modified2 years ago
Viewed 59 times
This question shows research effort; it is useful and clear
2
Save this question.
Show activity on this post.
I am playing around with eccentric cams in a 3D printing project I'm working on and I've got this sketch for a constant diameter cam but I want to better understand its properties in order to optimize my mechanism. Specifically, I am trying to find a function that describes the dwell period of the cam based on the ratio of the radiuses of the two concentric circles that make up the shape.
In my drawing there are two concentric circles A and B. Then there are two more circles C and D who are tangent to B, and whose center points are coincident with the intersection of A and the other. From these circles we have an angle ijk which describes the dwell period of the cam. Just from playing with it and by eye I can see that as the ratio of the concentric radiuses Br/Ar approaches 1 ijk approaches 180 degrees, and as Br/Ar approaches 0 ijk approaches 60 degrees and the cam becomes a reuleaux triangle. It's been a long time since I took a geometry class however and I can't seem to figure out how to derive the actual function that would define ijk as a function of Br/Ar.
geometry
circles
angle
Share
Share a link to this question
Copy linkCC BY-SA 4.0
Cite
Follow
Follow this question to receive notifications
asked Sep 25, 2023 at 19:46
JoeBruzekJoeBruzek
131 3 3 bronze badges
5
1 Just note that i k=r A+r B i k=r A+r B to get: sin∠i j k 2=1 2(1+r A r B).sin∠i j k 2=1 2(1+r A r B). Intelligenti pauca –Intelligenti pauca 2023-09-25 20:08:59 +00:00 Commented Sep 25, 2023 at 20:08
Incredible! I see that it is correct by looking at values, but how do you know that i k=r A+r B i k=r A+r B JoeBruzek –JoeBruzek 2023-09-25 20:45:20 +00:00 Commented Sep 25, 2023 at 20:45
2 i k i k is the radius of circles C and D.Intelligenti pauca –Intelligenti pauca 2023-09-25 20:47:57 +00:00 Commented Sep 25, 2023 at 20:47
1 Aha, yes of course. Thank you!JoeBruzek –JoeBruzek 2023-09-25 21:00:14 +00:00 Commented Sep 25, 2023 at 21:00
Cam calculations require two parts. One is the cam lobe shape and the other (missing) is the follower radius. Also, you need to specify if the follower is translating type, or swinging type.John Alexiou –John Alexiou 2023-09-25 22:08:11 +00:00 Commented Sep 25, 2023 at 22:08
Add a comment|
0
Sorted by: Reset to default
You must log in to answer this question.
Start asking to get answers
Find the answer to your question by asking.
Ask question
Explore related questions
geometry
circles
angle
See similar questions with these tags.
Featured on Meta
Introducing a new proactive anti-spam measure
Spevacus has joined us as a Community Manager
stackoverflow.ai - rebuilt for attribution
Community Asks Sprint Announcement - September 2025
Report this ad
Related
1Length and breadth of a rectangle enclosed between two semi-circles of given radii
2A circle is divided into equal arcs by n n diamtrs. Prove the feet of the ⊥⊥s from a point M M in circle to them are vertices of a regular n-gon
1Shower Head Jet Separation
3Poncelet porism for two intersecting circles...
0Area in between two concentric circles
1Calculating Angle Between Two Circles With Same Center Point - Mercury Retrogrades
0Constructing a Circular Sector Between Two Concentric Circles with Specific Tangent and Perpendicular Condition
2Circles formed by points of common tangency of two circles
Hot Network Questions
How do you create a no-attack area?
I have a lot of PTO to take, which will make the deadline impossible
Vampires defend Earth from Aliens
How different is Roman Latin?
Do we need the author's permission for reference
Checking model assumptions at cluster level vs global level?
Is encrypting the login keyring necessary if you have full disk encryption?
alignment in a table with custom separator
If Israel is explicitly called God’s firstborn, how should Christians understand the place of the Church?
Passengers on a flight vote on the destination, "It's democracy!"
Why include unadjusted estimates in a study when reporting adjusted estimates?
Another way to draw RegionDifference of a cylinder and Cuboid
Discussing strategy reduces winning chances of everyone!
Why does LaTeX convert inline Python code (range(N-2)) into -NoValue-?
What were "milk bars" in 1920s Japan?
Making sense of perturbation theory in many-body physics
Storing a session token in localstorage
How to start explorer with C: drive selected and shown in folder list?
Calculating the node voltage
Alternatives to Test-Driven Grading in an LLM world
Drawing the structure of a matrix
What is a "non-reversible filter"?
How to solve generalization of inequality problem using substitution?
How many color maps are there in PBR texturing besides Color Map, Roughness Map, Displacement Map, and Ambient Occlusion Map in Blender?
more hot questions
Question feed
Subscribe to RSS
Question feed
To subscribe to this RSS feed, copy and paste this URL into your RSS reader.
Why are you flagging this comment?
It contains harassment, bigotry or abuse.
This comment attacks a person or group. Learn more in our Code of Conduct.
It's unfriendly or unkind.
This comment is rude or condescending. Learn more in our Code of Conduct.
Not needed.
This comment is not relevant to the post.
Enter at least 6 characters
Something else.
A problem not listed above. Try to be as specific as possible.
Enter at least 6 characters
Flag comment Cancel
You have 0 flags left today
Mathematics
Tour
Help
Chat
Contact
Feedback
Company
Stack Overflow
Teams
Advertising
Talent
About
Press
Legal
Privacy Policy
Terms of Service
Your Privacy Choices
Cookie Policy
Stack Exchange Network
Technology
Culture & recreation
Life & arts
Science
Professional
Business
API
Data
Blog
Facebook
Twitter
LinkedIn
Instagram
Site design / logo © 2025 Stack Exchange Inc; user contributions licensed under CC BY-SA. rev 2025.9.26.34547
By clicking “Accept all cookies”, you agree Stack Exchange can store cookies on your device and disclose information in accordance with our Cookie Policy.
Accept all cookies Necessary cookies only
Customize settings
Cookie Consent Preference Center
When you visit any of our websites, it may store or retrieve information on your browser, mostly in the form of cookies. This information might be about you, your preferences, or your device and is mostly used to make the site work as you expect it to. The information does not usually directly identify you, but it can give you a more personalized experience. Because we respect your right to privacy, you can choose not to allow some types of cookies. Click on the different category headings to find out more and manage your preferences. Please note, blocking some types of cookies may impact your experience of the site and the services we are able to offer.
Cookie Policy
Accept all cookies
Manage Consent Preferences
Strictly Necessary Cookies
Always Active
These cookies are necessary for the website to function and cannot be switched off in our systems. They are usually only set in response to actions made by you which amount to a request for services, such as setting your privacy preferences, logging in or filling in forms. You can set your browser to block or alert you about these cookies, but some parts of the site will not then work. These cookies do not store any personally identifiable information.
Cookies Details
Performance Cookies
[x] Performance Cookies
These cookies allow us to count visits and traffic sources so we can measure and improve the performance of our site. They help us to know which pages are the most and least popular and see how visitors move around the site. All information these cookies collect is aggregated and therefore anonymous. If you do not allow these cookies we will not know when you have visited our site, and will not be able to monitor its performance.
Cookies Details
Functional Cookies
[x] Functional Cookies
These cookies enable the website to provide enhanced functionality and personalisation. They may be set by us or by third party providers whose services we have added to our pages. If you do not allow these cookies then some or all of these services may not function properly.
Cookies Details
Targeting Cookies
[x] Targeting Cookies
These cookies are used to make advertising messages more relevant to you and may be set through our site by us or by our advertising partners. They may be used to build a profile of your interests and show you relevant advertising on our site or on other sites. They do not store directly personal information, but are based on uniquely identifying your browser and internet device.
Cookies Details
Cookie List
Clear
[x] checkbox label label
Apply Cancel
Consent Leg.Interest
[x] checkbox label label
[x] checkbox label label
[x] checkbox label label
Necessary cookies only Confirm my choices |
190135 | https://math.stackexchange.com/questions/2649250/compute-the-dihedral-angle-of-a-regular-pyramid | Stack Exchange Network
Stack Exchange network consists of 183 Q&A communities including Stack Overflow, the largest, most trusted online community for developers to learn, share their knowledge, and build their careers.
Visit Stack Exchange
Teams
Q&A for work
Connect and share knowledge within a single location that is structured and easy to search.
Learn more about Teams
Compute the dihedral angle of a regular pyramid
Ask Question
Asked
Modified 1 year, 7 months ago
Viewed 7k times
2
$\begingroup$
Given a regular pyramid, defined as a right pyramid with a base which is a regular polygon, with the vertex above the centroid of the base, I would like to compute the dihedral angle between adjacent faces, as well as the angle between a lateral face and the base, in terms of the number of sides and the slant edge length. Can someone walk through the calculation?
Using Google I found this helpful article about computing dihedral angles by Greg Egan.
We have isosceles triangle $CAD$ above the plane of triangle $CBD$, making a dihedral angle of $\epsilon$. Triangle $CBD$ is the orthogonal projection of $CAD$, so also isosceles. The apex angle between adjacent edges in triangle $CAD$ is $\alpha$. The angle of triangle $CBD$ is $\beta.$ Edge $AC$ makes a slant angle of $\gamma$ with the projected edge $BC$.
There is a plane perpendicular to slant edge $AC$ through the opposite vertex $D$, which intersects edge $AC$ at point $F$, and $BC$ at point $G$. Angle $GFD$ is $\delta.$
If triangle $CAD$ is the side of a regular pyramid, and $CBD$ its base, then $2\delta$ will be the dihedral angle between adjacent faces, and $\epsilon$ will be the dihedral angle between slant face and base.
I can see that plane $DFG$ is perpendicular to slant edge $AC$, hence why triangles $AFD$ and $AFG$ are right triangles. But why are $DGC$ and $FGD$ right angles?
How do I arrive at $$\sin\delta=\cos(\beta/2)/\cos(\alpha/2)$$?
geometry
euclidean-geometry
solid-geometry
platonic-solids
Share
edited Feb 14, 2018 at 8:50
John DanielsJohn Daniels
asked Feb 13, 2018 at 18:06
John DanielsJohn Daniels
22522 silver badges88 bronze badges
$\endgroup$
7
$\begingroup$ Im not able to access the page that youve cited just now, but Id guess that $F$ and $G$ are defined to be the feet of the altitudes to $D$, creating right angles by definition. $\endgroup$
amd
– amd
2018-02-13 22:28:45 +00:00
Commented Feb 13, 2018 at 22:28
$\begingroup$ @amd the plane GFD is defined to be perpendicular to the line AC of intersection of two planes CAD and CBD. I'm sure you're right that implies DG is an altitude of BDC, but for some reason I'm blanking. Actually I guess what I want to see is that DG is perpendicular to plane BAC. So DG is perpendicular to both BC and FG. $\endgroup$
John Daniels
– John Daniels
2018-02-14 00:12:21 +00:00
Commented Feb 14, 2018 at 0:12
$\begingroup$ I don't think you have formulated the problem with enough information. For example, consider a square pyramid, and let $s = 1.$ Now you have the number of sides and $s,$ but if the square is a square of side $1/4$ you get very different dihedral angles than if the square has side $1.$ The formula you cite at the end is derived for regular polyhedra, where $\alpha$ is determined by the type of polyhedron and therefore the edge of the regular polygon, $2s \sin\frac\alpha2,$ is also determined. If you meant the polygon to have side $1,$ that needs to be part of the problem statement. $\endgroup$
David K
– David K
2018-02-14 02:30:34 +00:00
Commented Feb 14, 2018 at 2:30
$\begingroup$ @DavidK I think the formula $2s\sin(\alpha/2)$ for the side opposite $\alpha$ should apply to any isosceles triangle. I don't think I have assumed equilateral triangular faces or regular polyhedra anywhere in the equations quoted. If the dihedral angle depends on the ratio of the slant edge to the base edge, I will be happy to accept that. $\endgroup$
John Daniels
– John Daniels
2018-02-14 02:58:15 +00:00
Commented Feb 14, 2018 at 2:58
$\begingroup$ The issue is not whether the side has length $2s \sin\frac\alpha2$ -- of course it does! The issue is that in your formulation, we cannot find the value of of $2s \sin\frac\alpha2$, whereas in the page you linked to, that value can easily be found, because that page most definitely _does assume it is dealing with a regular polyhedron. On the other hand, if the polygon's side is $1,$ then $s$ is the ratio of the slant edge to the base edge, and we're both happy. $\endgroup$
David K
– David K
2018-02-14 04:19:15 +00:00
Commented Feb 14, 2018 at 4:19
| Show 2 more comments
3 Answers 3
Reset to default
1
$\begingroup$
A vectorial approach would be quite lean and effective.
Given two faces of the pyramid, sharing the common edge $V P_n$, and containing the contiguous base points $P_{n-1}$ and $P_{n+1}$, the dihedral angle between these two faces would be the angle made by the two vectors ($t_m, t_p$), normal to the common edge and lying on the respective face.
Clearly, that will be also the angle made by the normal vectors to the faces, provided that one is taken in the inward, and the other in the outward direction.
That is, by the right-hand rule, $$ {\bf n}_{\,m} = \mathop {P_{\,n} P_{\,n - 1} }\limits^ \to \; \times \;\mathop {P_{\,n} V}\limits^ \to \quad \quad {\bf n}_{\,p} = \mathop {P_{\,n} P_{\,n + 1} }\limits^ \to \; \times \;\mathop {P_{\,n} V}\limits^ \to $$
Then the dihedral angle $\alpha$ will be simply computed from the dot product $$ \cos \alpha = {{{\bf n}_{\,m} \; \cdot \;{\bf n}_{\,p} } \over {\left| {{\bf n}_{\,m} } \right|\;\;\left| {{\bf n}_{\,p} } \right|}} $$
Share
edited Jul 24, 2020 at 8:21
CommunityBot
1
answered Feb 14, 2018 at 18:27
G CabG Cab
36k33 gold badges2323 silver badges6464 bronze badges
$\endgroup$
5
$\begingroup$ One thing that's awkward about my solution is that I have to talk about perpendicularity of lines that do not actually intersect. I'm sure there's a right way to talk about those. Vectors solve this problem. $\endgroup$
ziggurism
– ziggurism
2018-02-14 21:35:41 +00:00
Commented Feb 14, 2018 at 21:35
$\begingroup$ @ziggurism: to my knowledge, vectorial approach is the most effective: You can easily calculate all angles, lengths and surfaces of interest. $\endgroup$
G Cab
– G Cab
2018-02-14 21:39:44 +00:00
Commented Feb 14, 2018 at 21:39
$\begingroup$ Yes of course that's true, but if a geometry problem is presented in a synthetic way (Euclidean geometry style), I like to solve it that way. $\endgroup$
ziggurism
– ziggurism
2018-02-14 21:42:24 +00:00
Commented Feb 14, 2018 at 21:42
$\begingroup$ @ziggurism: ok, I only wish you do not want to use also ..the greek numeral system. $\endgroup$
G Cab
– G Cab
2018-02-14 23:20:41 +00:00
Commented Feb 14, 2018 at 23:20
$\begingroup$ Let's compromise: roman numerals? $\endgroup$
ziggurism
– ziggurism
2018-02-15 02:43:55 +00:00
Commented Feb 15, 2018 at 2:43
Add a comment |
1
$\begingroup$
The short answer is, $DG$ lies in the plane $BCD$ perpendicular to $AB$, and is therefore (parallel to a line) perpendicular to $AB$. $DG$ also lies in the plane $DFG$ perpendicular to $AC$, and therefore is (parallel to a line) perpendicular to $AC$. Being perpendicular to both $AB$ and $AC$, $DG$ is perpendicular to every line in the plane $ABC$ that it intersects, including both $FG$ and $BC$.
Let's walk through the derivation of all three formulas in detail. Following the linked article, we see:
First, from the slant face isosceles triangle $\triangle CAD$, using the right triangle with altitude $AE,$ and $AC=s,$ we have $EC=s\sin(\alpha/2).$
Altitude $AB$ is perpendicular to plane $CAD,$ so triangle $ABC$ is a right triangle, and we have $BC=AC\cos\gamma=s\cos\gamma.$ From the base isosceles triangle $\triangle CBD$ we have $EC=s\cos\gamma\sin(\beta/2).$
Equating the two expressions gives $$\cos\gamma = \frac{\sin\left(\frac\alpha2\right)}{\sin\left(\frac\beta2\right)}\tag{1}\label{1}.$$
2. Next, why are $FG$ and $BC$ (that is, plane $ABC$) perpendicular to $DG$?
The trick is to realize that the perpendicular to a plane through the vertex of a triangle is orthogonal to all lines in that plane, including the two edges that meet it, as well as (a parallel line to) the opposite edge.
By construction, plane $DFG$ is perpendicular to $AC$. Therefore $AC$ is perpendicular to any line in $DFG$, ergo $AC$ is perpendicular to $FG$ and $FD$.
Additionally, line $DG$ lies in plane $BCD,$ so it (or a line parallel to it) is perpendicular to $AB$, as $AB$ is perpendicular to plane $BCD.$ Line $DG$ is also in plane $DFG,$ so perpendicular to $AC$. Therefore it is perpendicular to plane $ABC.$ And therefore also to $FG.$ Angles $\angle DGF$ and $\angle DGC$ are right angles (line $BC$ is also in plane $ABC$ and so perpendicular to $DG$).
Therefore looking at right triangle $\triangle FGD$ we have $GD=s\sin\alpha\sin\delta.$
And looking at right triangle $\triangle BGD$ we see $GD=s\cos\gamma\sin\beta.$
Equating gives $$\sin\delta=\frac{\cos\gamma\sin\beta}{\sin\alpha} \stackrel{\eqref{1}}= \frac{\sin\left(\frac\alpha2\right)\cdot2\sin\left(\frac\beta2\right)\cos\left(\frac\beta2\right)}{\sin\left(\frac\beta2\right)\cdot2\sin\left(\frac\alpha2\right)\cos\left(\frac\alpha2\right)}=\frac{\cos\left(\frac\beta2\right)}{\cos\left(\frac\alpha2\right)}\tag{2}\label{2}.$$
3. Looking at right triangle $\triangle ABE$ we have $BE=AE\cos\epsilon.$
From triangle $\triangle AEC$ we have $AE=s\cos\left(\frac\alpha2\right).$
And from triangle $\triangle BEC$ we have $BE=s\cos\left(\gamma\right)\cos\left(\frac\beta2\right).$
Thus $$\cos\epsilon=\frac{\sin\left(\frac\alpha2\right)\cos\left(\frac\beta2\right)}{\cos\left(\frac\alpha2\right)\sin\left(\frac\beta2\right)}=\frac{\tan\left(\frac\alpha2\right)}{\tan\left(\frac\beta2\right)}\tag{3}\label{3}.$$
So given the vertex angle $\alpha$ and the projection of that angle into the base $\beta$, we have the edge angle $\gamma$, the dihedral angle $\delta$ between $ABC$ and $ACD$, and the dihedral angle $\epsilon$ between $ACD$ and $BCD$.
Applying this to the regular pyramid, where $CAD$ is a lateral face and $\triangle ABC$ is a vertical (perpendicular to the base) cross section through an edge between adjacent faces, then the dihedral angle between adjacent side faces is $2\delta.$
In terms of the number of sides of the pyramid $n$, since there are $n$ angles of measure $\beta$ around a vertex in the plane, we have $$\beta=\frac{2\pi}{n}.$$ And in terms of the slant edge length $AC=s$, and base side length $CD=\ell$, we have $$\ell=2s\sin\left(\frac\alpha2\right).$$ So in terms of $n,\ell,$ and $s,$ we write $$\begin{align}\cos\gamma&=\frac{\ell}{2s\sin\left(\frac{\pi}{n}\right)},\\sin\delta&=\frac{2s\cos\left(\frac{\pi}{n}\right)}{\sqrt{4s^2-\ell^2}},\\cos\epsilon&=\frac{\ell}{\tan\left(\frac{\pi}{n}\right)\sqrt{4s^2-\ell^2}}.\end{align}$$
For example, putting $n=4$, $s=\ell$ gives us the regular square pyramid with $\gamma=\frac{\pi}{4},$ $\sin\delta=\sqrt{\frac{2}{3}},$ and $\cos\epsilon=\frac{1}{\sqrt{3}}.$ Which matches the angles of the regular octahedron in the table of Platonic solid dihedral angles.
Or with $n=3$, $s=\ell$ we get $\cos\gamma=1/\sqrt{3}$ and $\cos(2\delta)=\cos\epsilon=1/3,$ again agreeing with known geometry of the regular tetrahedron.
For a non-Platonic example, a regular hexagonal pyramid with height $h=\sqrt{3}\ell$ and slant edge length $s=2\ell$ will have $\cos(2\delta)=-3/5$, the angle of a $3$-$4$-$5$ triangle.
Share
edited Feb 14, 2018 at 17:57
answered Feb 14, 2018 at 15:26
ziggurismziggurism
17.5k22 gold badges5656 silver badges116116 bronze badges
$\endgroup$
1
$\begingroup$ Very helpful answer, but I would just say there is a complication where $\beta > 90^\circ$ for then $G$ no longer lies on line segment $BC$ but is located out to the left of $B$, eg in the case of the tetrahedron where $\beta = 120^\circ$. $\endgroup$
Ross Ure Anderson
– Ross Ure Anderson
2023-01-04 17:17:48 +00:00
Commented Jan 4, 2023 at 17:17
Add a comment |
0
$\begingroup$
An alternate approach to obtaining the formula for $\delta$ is to take a unit normal $\underline{\mathbf{u}}$ for a given slope and then rotate this by the angle $\beta$ about the $z$-axis, ie about the vector $\underline{\mathbf{k}}$, to produce a unit normal $\underline{\mathbf{v}}$ for the adjacent slope, as shown in Fig. 1. This approach avoids the complication which arises when $\beta > 90^\circ$, for then $G$ is no longer on the line segment $BC$, but extends out to the left beyond $B$ (eg. in the case of the tetrahedron we have $\alpha = 60^\circ$ and $\beta = 120^\circ$, giving dihedral angle $2\delta = \arccos (1/3)$).
Since $\underline{\mathbf{u}}$ and $\underline{\mathbf{v}}$ are both outward pointing, and the dihedral angle between two planes equals the angle between their normals (or its complement), we have : $$ \underline{\mathbf{u}} \cdot \underline{\mathbf{v}} = \cos(180 - 2\delta) = -\cos 2\delta. $$
From Fig. 1 we have : $$ \underline{\mathbf{u}} = \sin \epsilon \; \underline{\mathbf{i}} + \cos \epsilon \; \underline{\mathbf{k}}. $$
Rotating $\underline{\mathbf{u}}$ about the $z$-axis by angle $\beta$ leaves the $\underline{\mathbf{k}}$ component unchanged and changes the component $\sin \epsilon \; \underline{\mathbf{i}}$ to $\sin \epsilon \cos \beta \; \underline{\mathbf{i}} + \sin \epsilon \sin \beta \; \underline{\mathbf{j}}$ so that : $$ \underline{\mathbf{v}} = \sin \epsilon \cos \beta \; \underline{\mathbf{i}} + \sin \epsilon \sin \beta \;\underline{\mathbf{j}} + \cos \epsilon \; \underline{\mathbf{k}} $$
Thus : \begin{eqnarray} 2 \sin^2 \textstyle{\frac{1}{2}} \delta -1 = -\cos 2\delta & = & \underline{\mathbf{u}} \cdot \underline{\mathbf{v}} \nonumber \ & = & \sin^2 \epsilon \cos \beta + \cos^2 \epsilon \label{eq:Rodrigues} \tag{1} \end{eqnarray}
We require an expression that involves $\alpha$ and $\beta$ only. Denote the altitude of the regular pyramid by $h$, and the radius of its regular polygonal base by $r$. Then : \begin{equation} \sin \epsilon = \frac{h}{s \cos \frac{1}{2} \alpha}, \hspace{1em} \mbox{and} \hspace{1em} \cos \epsilon = \frac{r \cos \frac{1}{2} \beta}{s \cos \frac{1}{2} \alpha} \label{eq:angle-epsilon} \tag{2} \end{equation}
with : \begin{equation} \frac{h}{s} = \sin \gamma \hspace{1em} \mbox{and} \hspace{1em} \frac{r}{s} = \cos \gamma. \label{eq:angle-gamma} \tag{3} \end{equation}
As in the article we can readily establish by computing the length of EC in two ways that : \begin{equation} \cos \gamma = \frac{\sin \frac{1}{2} \alpha}{\sin \frac{1}{2} \beta}. \label{eq:angle-gamma-formula} \tag{4} \end{equation}
Thus putting equations (\ref{eq:Rodrigues}) - (\ref{eq:angle-gamma-formula}) together we now have : \begin{eqnarray} 2 \sin^2 \textstyle{\frac{1}{2}} \delta -1 & = & \frac{\sin^2 \gamma}{\cos^2 \frac{1}{2} \alpha} \cdot \cos \beta + \cos^2 \gamma \cdot \frac{\cos^2 \frac{1}{2} \beta}{\cos^2 \frac{1}{2} \alpha} \ & = & \frac{1}{\cos^2 \frac{1}{2} \alpha} \left[ \left( 1 - \frac{\sin^2 \frac{1}{2} \alpha}{\sin^2 \frac{1}{2} \beta} \right) \cdot (\cos^2 \frac{1}{2}\beta - \sin^2 \frac{1}{2}\beta) + \left( \frac{\sin^2 \frac{1}{2} \alpha}{\sin^2 \frac{1}{2} \beta} \right) \cdot \cos^2 \frac{1}{2} \beta \right] \ & = & \frac{1}{\cos^2 \frac{1}{2} \alpha} \left[ \cos^2 \frac{1}{2} \beta - \sin^2 \frac{1}{2} \beta + \sin^2 \frac{1}{2} \alpha \right] \ \Rightarrow 2 \sin^2 \delta & = & \frac{1}{\cos^2 \frac{1}{2} \alpha} \left[ \cos^2 \frac{1}{2} \beta - \sin^2 \frac{1}{2} \beta + 1 \right] \ & = & \frac{2 \cos^2 \frac{1}{2} \beta}{\cos^2 \frac{1}{2} \alpha} \ \Rightarrow \mbox{since } \alpha, \beta, \gamma \in (0, 180^\circ), \hspace{1.5em} \sin \delta & = & \frac{\cos \frac{1}{2} \beta}{\cos \frac{1}{2} \alpha}. \end{eqnarray}
Share
edited Feb 19, 2024 at 22:27
answered Dec 30, 2022 at 14:49
Ross Ure AndersonRoss Ure Anderson
47522 silver badges1010 bronze badges
$\endgroup$
Add a comment |
You must log in to answer this question.
Start asking to get answers
Find the answer to your question by asking.
Ask question
Explore related questions
geometry
euclidean-geometry
solid-geometry
platonic-solids
See similar questions with these tags.
Featured on Meta
Introducing a new proactive anti-spam measure
Spevacus has joined us as a Community Manager
stackoverflow.ai - rebuilt for attribution
Community Asks Sprint Announcement - September 2025
Linked
1 Dihedral angle of polygonal pyramids
2 What is the dihedral angle formed by the faces of a tetrahedron
2 Finding the dihedral angle of a octahedron
0 Surface Area of a Cap on a Square Pyramid
Related
1 The relation of angle between two slant faces of a pyramid and the angles between slant vectors
0 Angle between edge and lateral face of a regular pyramid
0 Dihedral angle calculation in pyramid with square base ABCD.
1 The radius of the inscribed sphere.
2 What is the dihedral angle formed by the faces of a tetrahedron
Prove that all three bisecting planes of the dihedral angles of a trihedral angle intersect along one straight line.
0 How to write a proof that the line passing through the vertex in a regular pyramid is perpendicular to the center of the base
Hot Network Questions
Is it safe to route top layer traces under header pins, SMD IC?
How to use \zcref to get black text Equation?
Why is the definite article used in “Mi deporte favorito es el fútbol”?
The altitudes of the Regular Pentagon
Do sum of natural numbers and sum of their squares represent uniquely the summands?
how do I remove a item from the applications menu
Is this commentary on the Greek of Mark 1:19-20 accurate?
How to sample curves more densely (by arc-length) when their trajectory is more volatile, and less so when the trajectory is more constant
Is my new stem too tight for my carbon fork?
Traversing a curve by portions of its arclength
What’s the usual way to apply for a Saudi business visa from the UAE?
How can the problem of a warlock with two spell slots be solved?
Spectral Leakage & Phase Discontinuites
Passengers on a flight vote on the destination, "It's democracy!"
What meal can come next?
Clinical-tone story about Earth making people violent
Who is the target audience of Netanyahu's speech at the United Nations?
Why do universities push for high impact journal publications?
Can a GeoTIFF have 2 separate NoData values?
Matthew 24:5 Many will come in my name!
Determine which are P-cores/E-cores (Intel CPU)
Calculating the node voltage
How to use cursed items without upsetting the player?
Lingering odor presumably from bad chicken
more hot questions
Question feed |
190136 | https://medium.com/statistical-guess/sample-proportion-f3ab4bae718a | Sign up
Sign in
Sign up
Sign in
Statistical Guess
Notes on College & High school level Statistics
Sample Proportion
Sample Proportion
--
Listen
Share
The full name is Sampling Distribution of the Sample Proportion, which's denoted by p-hat.
Sampling Distribution of the Sample Proportion
p-hat
Refer to youtube: The Sampling Distribution of the Sample Proportion
Refer to article: The Sample Proportion
Refer to article: Sampling Distribution of the Sample Proportion, p-hat
Sample Proportion is the proportion of success in a sample.
Sample Proportion
Sample Proportion(p-hat) is a random variable,
specifically a Binomial Random Variable.
Binomial Random Variable
So let X denotes the number of success in the sample, which is the Binomial Random Variable with parameter n and _p_,
Mean and Variance of Sample Proportions
Mean and Variance of Sample Proportions
Recall that the _binomial random variable X_:
Hence, we derived the Mean & Variance of Sample Proportion p-hat from X:
p-hat
Why is that?
That’s why we say:
p-hat is an unbiased estimator for p of population.
p-hat
p
And for Standard Deviation of Sample Proportion:
Example
Solve:
Probabilities with Sample Proportions
Probabilities with Sample Proportions
It’s just to find out the probability area in the Normal Distribution.
All you need is the Mean, Standard Deviation and the point you’re to measure.
Example
Solve:
0.63
0.019
0.60
0.06
--
--
Published in Statistical Guess
Notes on College & High school level Statistics
Written by Solomon Xie
Jesus follower, Yankees fan, Casual Geek, Otaku, NFS Racer.
No responses yet
Help
Status
About
Careers
Press
Blog
Privacy
Rules
Terms
Text to speech |
190137 | https://pmc.ncbi.nlm.nih.gov/articles/PMC10171266/ | Left upper lobe atelectasis - PMC
Skip to main content
An official website of the United States government
Here's how you know
Here's how you know
Official websites use .gov
A .gov website belongs to an official government organization in the United States.
Secure .gov websites use HTTPS
A lock ( ) or https:// means you've safely connected to the .gov website. Share sensitive information only on official, secure websites.
Search
Log in
Dashboard
Publications
Account settings
Log out
Search… Search NCBI
Primary site navigation
Search
Logged in as:
Dashboard
Publications
Account settings
Log in
Search PMC Full-Text Archive
Search in PMC
Journal List
User Guide
View on publisher site
Download PDF
Add to Collections
Cite
Permalink PERMALINK
Copy
As a library, NLM provides access to scientific literature. Inclusion in an NLM database does not imply endorsement of, or agreement with, the contents by NLM or the National Institutes of Health.
Learn more: PMC Disclaimer | PMC Copyright Notice
J Bras Pneumol
. 2023 May 4;49(2):e20230064. doi: 10.36416/1806-3756/e20230064
Search in PMC
Search in PubMed
View in NLM Catalog
Add to search
Show available content in
English
Portuguese
Left upper lobe atelectasis
Atelectasia do lobo superior esquerdo
Edson Marchiori
Edson Marchiori
Universidade Federal do Rio de Janeiro, Rio de Janeiro (RJ) Brasil.
Find articles by Edson Marchiori
1, Bruno Hochhegger
Bruno Hochhegger
Universidade Federal de Ciências da Saúde de Porto Alegre, Porto Alegre (RS) Brasil.
Find articles by Bruno Hochhegger
2, Gláucia Zanetti
Gláucia Zanetti
Universidade Federal do Rio de Janeiro, Rio de Janeiro (RJ) Brasil.
Find articles by Gláucia Zanetti
1
Author information
Article notes
Copyright and License information
Universidade Federal do Rio de Janeiro, Rio de Janeiro (RJ) Brasil.
Universidade Federal de Ciências da Saúde de Porto Alegre, Porto Alegre (RS) Brasil.
Collection date 2023.
© 2023 Sociedade Brasileira de Pneumologia e Tisiologia
This is an Open Access article distributed under the terms of the Creative Commons Attribution Non-Commercial License which permits unrestricted non-commercial use, distribution, and reproduction in any medium provided the original work is properly cited.
PMC Copyright notice
PMCID: PMC10171266 PMID: 37194819
A 68-year-old man presented with complaints of persistent, severe cough and weight loss in the last six months. Chest X-rays showed opacity in the upper third of the left lung and volume loss (Figure 1).
Figure 1. Posteroanterior and lateral chest X-rays (in A and in B, respectively) showing opacity and left upper lobe volume loss. Note an upward and forward shift of the major fissure and a mass in the left hilar region, preventing complete displacement of the fissure, which assumed an S shape (the Golden S sign).
Open in a new tab
The aforementioned chest X-ray findings are indicative of left upper lobe atelectasis. Atelectasis appears as parenchymal opacification and volume loss caused by loss of lung aeration. Atelectasis can be lobar, segmental, or subsegmental, or it can involve an entire lung, with varying imaging appearances. It can occur through different mechanisms, including passive retraction of the lung parenchyma, scar tissue formation, compression of lung tissue, surfactant deficiency, and bronchial obstruction. Obstructive atelectasis occurs when airway obstruction inhibits regional lung ventilation partially or completely. Perfusion to the area is maintained; however, gas uptake into the blood continues. Eventually, all of the gas in that segment will be absorbed and, without return of ventilation, the airway will collapse. The causes of bronchial obstruction are varied, the most common being bronchial tumors in adults and foreign bodies in children. Children are especially susceptible to resorption atelectasis in the presence of an aspirated foreign body because they have poorly developed collateral pathways for ventilation.1-3
The radiological signs of pulmonary atelectasis can be divided into direct signs and indirect signs. Displacement of fissures is the most important direct sign of pulmonary atelectasis. The indirect signs are basically related to the loss of lung volume and include increased lung opacity, elevation of the diaphragm, mediastinal shift, and compensatory hyperinflation of the remaining lung parenchyma. Total atelectasis caused by bronchial obstruction appears as an opaque hemithorax, with displacement of the mediastinum toward the affected side. Left upper lobe atelectasis appears as a superior and anterior displacement of the major fissure. Anterior displacement of the major fissure is more easily seen on lateral chest X-rays. Segmental atelectasis of the left upper lobe with preservation of the lingula, as seen in our patient, can result in findings similar to those of atelectasis of the right upper lobe. Although the Golden S sign was initially used in order to describe signs of right upper lobe atelectasis, it can be applicable to atelectasis involving any lung lobe. The Golden S sign represents bowing or displacement of a fissure caused by a mass (generally bronchial carcinoma) that prevents complete displacement of the fissure.1-3
On the basis of the aforementioned findings, a diagnosis of left upper lobe atelectasis was made. A bronchoscopy was then performed, showing a tumor obstructing the left upper lobe bronchus, the lingular segments being spared.
REFERENCES
1.Webb WR, Muller NL, Naidich DP. High-resolution CT of the lung. 4. Philadelphia: Lippincott Williams & Wilkins; 2008. [Google Scholar]
2.Müller NL, Silva CI. Imaging of the Chest. Philadelphia: Saunders-Elsevier; 2008. [Google Scholar]
3.Marchiori E, Hochhegger B, Zanetti G. Opaque hemithorax. J Bras Pneumol. 2017;43(3):161–161. doi: 10.1590/S1806-37562017000000024. [DOI] [PMC free article] [PubMed] [Google Scholar]
Articles from Jornal Brasileiro de Pneumologia are provided here courtesy of Sociedade Brasileira de Pneumologia e Tisiologia (Brazilian Thoracic Society)
ACTIONS
View on publisher site
PDF (406.9 KB)
Cite
Collections
Permalink PERMALINK
Copy
RESOURCES
Similar articles
Cited by other articles
Links to NCBI Databases
On this page
REFERENCES
Cite
Copy
Download .nbib.nbib
Format:
Add to Collections
Create a new collection
Add to an existing collection
Name your collection
Choose a collection
Unable to load your collection due to an error
Please try again
Add Cancel
Follow NCBI
NCBI on X (formerly known as Twitter)NCBI on FacebookNCBI on LinkedInNCBI on GitHubNCBI RSS feed
Connect with NLM
NLM on X (formerly known as Twitter)NLM on FacebookNLM on YouTube
National Library of Medicine 8600 Rockville Pike Bethesda, MD 20894
Web Policies
FOIA
HHS Vulnerability Disclosure
Help
Accessibility
Careers
NLM
NIH
HHS
USA.gov
Back to Top |
190138 | https://ocw.mit.edu/courses/6-0002-introduction-to-computational-thinking-and-data-science-fall-2016/2b524c63c8236d001970e454a3707bf9_soZv_KKax3E.pdf | MITOCW | watch?v=soZv_KKax3E The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high quality educational resources for free. To make a donation, or to view additional materials from hundreds of MIT courses, visit MIT OpenCourseWare at ocw.mit.edu.
PROFESSOR: Good afternoon, everybody. Welcome to Lecture 8. So we're now more than halfway through the lectures.
All right, the topic of today is sampling. I want to start by reminding you about this whole business of inferential statistics. We make references about populations by examining one or more random samples drawn from that population.
We used Monte Carlo simulation over the last two lectures. And the key idea there, as we saw in trying to find the value of pi, was that we can generate lots of random samples, and then use them to compute confidence intervals. And then we use the empirical rule to say, all right, we really have good reason to believe that 95% of the time we run this simulation, our answer will be between here and here.
Well, that's all well and good when we're doing simulations. But what happens when you to actually sample something real? For example, you run an experiment, and you get some data points. And it's too hard to do it over and over again.
Think about political polls. Here was an interesting poll. How were these created? Not by simulation. They didn't run 1,000 polls and then compute the confidence interval. They ran one poll-- of 835 people, in this case. And yet they claim to have a confidence interval. That's what that margin of error is. Obviously they needed that large confidence interval.
So how is this done? Backing up for a minute, let's talk about how sampling is done when you are not running a simulation. You want to do what's called probability sampling, in which each member of the population has a non-zero probability of being included in a sample.
There are, roughly speaking, two kinds. We'll spend, really, all of our time on something called simple random sampling. And the key idea here is that each member of the population has an equal probability of being chosen in the sample so there's no bias.
Now, that's not always appropriate. I do want to take a minute to talk about why. So suppose Now, that's not always appropriate. I do want to take a minute to talk about why. So suppose we wanted to survey MIT students to find out what fraction of them are nerds-- which, by the way, I consider a compliment. So suppose we wanted to consider a random sample of 100 students. We could walk around campus and choose 100 people at random. And if 12% of them were nerds, we would say 12% of the MIT undergraduates are nerds-- if 98%, et cetera.
Well, the problem with that is, let's look at the majors by school. This is actually the majors at MIT by school. And you can see that they're not exactly evenly distributed. And so if you went around and just sampled 100 students at random, there'd be a reasonably high probability that they would all be from engineering and science. And that might give you a misleading notion of the fraction of MIT students that were nerds, or it might not.
In such situations we do something called stratified sampling, where we partition the population into subgroups, and then take a simple random sample from each subgroup. And we do that proportional to the size of the subgroups. So we would certainly want to take more students from engineering than from architecture. But we probably want to make sure we got somebody from architecture in our sample.
This, by the way, is the way most political polls are done. They're stratified. They say, we want to get so many rural people, so many city people, so many minorities-- things like that. And in fact, that's probably where the election recent polls were all messed up. They did a very, retrospectively at least, a bad job of stratifying.
So we use stratified sampling when there are small groups, subgroups, that we want to make sure are represented. And we want to represent them proportional to their size in the population. This can also be used to reduce the needed size of the sample. If we wanted to make sure we got some architecture students in our sample, we'd need to get more than 100 people to start with. But if we stratify, we can take fewer samples. It works well when you do it properly. But it can be tricky to do it properly. And we are going to stick to simple random samples here.
All right, let's look at an example. So this is a map of temperatures in the United States. And so our running example today will be sampling to get information about the average temperatures. And of course, as you can see, they're highly variable. And we live in one of the cooler areas.
The data we're going to use is real data-- and it's in the zip file that I put up for the class-- from the US Centers for Environmental Information. And it's got the daily high and low temperatures for 21 different American cities, every day from 1961 through 2015. So it's an interesting data set-- a total of about 422,000 examples in the dataset. So a fairly good sized dataset. It's fun to play with.
All right, so we're sort of in the part of the course where the next series of lectures, including today, is going to be about data science, how to analyze data. I always like to start by actually looking at the data-- not looking at all 421,000 samples, but giving a plot to sort of give me a sense of what the data looks like. I'm not going to walk you through the code that does this plot. I do want to point out that there are two things in it that we may not have seen before.
Simply enough, I'm going to use numpy.std to get standard deviations instead of my own code for it. And random.sample to take simple random samples from the population.
random.sample takes two arguments. The first is some sort of a sequence of values. And the second is an integer telling you how many samples you want. And it returns a list containing sample size, randomly chosen distinct elements.
Distinct elements is important, because there are two ways that people do sampling. You can do sampling without replacement, which is what's done here. You take a sample, and then it's out of the population. So you won't draw it the next time. Or you can do sampling with replacement, which allows you to draw the same sample multiple times-- the same example multiple times.
We'll see later in the term that there are good reasons that we sometimes prefer sampling with replacement. But usually we're doing sampling without replacement. And that's what we'll do here. So we won't get Boston on April 3rd multiple times-- or, not the same year, at least.
All right. So here's the histogram the code produces. You can run it yourself now, if you want, or you can run it later. And here's what it looks like. The daily high temperatures, the mean is 16.3 degrees Celsius. I sort of vaguely know what that feels like. And as you can see, it's kind of an interesting distribution. It's not normal. But it's not that far, right? We have a little tail of these cold temperatures on the left. And it is what it is. It's not a normal distribution. And we'll later see that doesn't really matter.
OK, so this gives me a sense. The next thing I'll get is some statistics. So we know the mean is 16.3 and the standard deviation is approximately 9.4 degrees. So if you look at it, you can believe that.
Well, here's a histogram of one random sample of size 100. Looks pretty different, as you might expect. Its standard deviation is 10.4, its mean 17.7. So even though the figures look a little different, in fact, the means and standard deviations are pretty similar. If we look at the population mean and the sample mean-- and I'll try and be careful to use those terms-- they're not the same. But they're in the same ballpark. And the same is true of the two standard deviations.
Well, that raises the question, did we get lucky or is something we should expect? If we draw 100 random examples, should we expect them to correspond to the population as a whole?
And the answer is sometimes yeah and sometimes no. And that's one of the issues I want to explore today.
So one way to see whether it's a happy accident is to try it 1,000 times. We can draw 1,000 samples of size 100 and plot the results. Again, I'm not going to go over the code. There's something in that code, as well, that we haven't seen before. And that's the ax.vline plotting command. V for vertical. It just, in this case, will draw a red line-- because I've said the color is r-- at population mean on the x-axis. So just a vertical line. So that'll just show us where the mean is. If we wanted to draw a horizontal line, we'd use ax.hline. Just showing you a couple of useful functions.
When we try it 1,000 times, here's what it looks like. So here we see what we had originally, same picture I showed you before. And here's what we get when we look at the means of 100 samples. So this plot on the left looks a lot more like it's a normal distribution than the one on the right. Should that surprise us, or is there a reason we should have expected that to happen?
Well, what's the answer? Someone tell me why we should have expected it. It's because of the central limit theorem, right? That's exactly what the central limit theorem promised us would happen. And, sure enough, it's pretty close to normal. So that's a good thing.
And now if we look at it, we can see that the mean of the sample means is 16.3, and the standard deviation of the sample means is 0.94. So if we go back to what we saw here, we see that, actually, when we run it 1,000 times and look at the means, we get very close to what we had initially. So, indeed, it's not a happy accident. It's something we can in general expect.
All right, what's the 95% confidence interval here? Well, it's going to be 16.28 plus or minus 1.96 times 0.94, the standard deviation of the sample means. And so it tells us that the confidence interval is, the mean high temperature, is somewhere between 14.5 and 18.1.
Well, that's actually a pretty big range, right? It's sort of enough to where you wear a sweater or where you don't wear a sweater. So the good news is it includes the population mean.
That's nice. But the bad news is it's pretty wide.
Suppose we wanted it tighter bound. I said, all right, sure enough, the central limit theorem is going to tell me the mean of the means is going to give me a good estimate of the actual population mean. But I want it tighter bound. What can I do?
Well, let's think about a couple of things we could try. Well, one thing we could think about is drawing more samples. Suppose instead of 1,000 samples, I'd taken 2,000 or 3,000 samples.
We can ask the question, would that have given me a smaller standard deviation? For those of you who have not looked ahead, what do you think? Who thinks it will give you a smaller standard deviation? Who thinks it won't? And the rest of you have either looked ahead or refused to think. I prefer to believe you looked ahead.
Well, we can run the experiment. You can go to the code. And you'll see that there is a constant of 1,000, which you can easily change to 2,000. And lo and behold, the standard deviation barely budges. It got a little bit bigger, as it happens, but that's kind of an accident. It just, more or less, doesn't change. And it won't change if I go to 3,000 or 4,000 or 5,000. It'll wiggle around. But it won't help much. What we can see is doing that more often is not going to help.
Suppose we take larger samples? Is that going to help? Who thinks that will help? And who thinks it won't? OK. Well, we can again run the experiment. I did run the experiment. I changed the sample size from 100 to 200. And, again, you can run this if you want. And if you run it, you'll get a result-- maybe not exactly this, but something very similar-- that, indeed, as I increase the size of the sample rather than the number of the samples, the standard deviation drops fairly dramatically, in this case from 0.94 0.66. So that's a good thing.
I now want to digress a little bit before we come back to this and look at how you can visualize this-- Because this is a technique you'll want to use as you write papers and things like that-- is how do we visualize the variability of the data? And it's usually done with something called an error bar. You've all seen these things here. And this is one I took from the literature. This is plotting pulse rate against how much exercise you do or how frequently you exercise.
And what you can see here is there's definitely a downward trend suggesting that the more you exercise, the lower your average resting pulse. That's probably worth knowing. And these error bars give us the 95% confidence intervals for different subpopulations.
And what we can see here is that some of them overlap. So, yes, once a fortnight-- two weeks for those of you who don't speak British-- it does get a little bit smaller than rarely or never. But the confidence interval is very big. And so maybe we really shouldn't feel very comfortable that it would actually help.
The thing we can say is that if the confidence intervals don't overlap, we can conclude that the means are actually statistically significantly different, in this case at the 95% level. So here we see that the more than weekly does not overlap with the rarely or never. And from that, we can conclude that this is actually, statistically true-- that if you exercise more than weekly, your pulse is likely to be lower than if you don't.
If confidence intervals do overlap, you cannot conclude that there is no statistically significant difference. There might be, and you can use other tests to find out whether there are. When they don't overlap, it's a good thing. We can conclude something strong. When they do overlap, we need to investigate further.
All right, let's look at the error bars for our temperatures. And again, we can plot those using something called pylab.errorbar. Lab So what it takes is two values, the usual x-axis and y-axis, and then it takes another list of the same length, or sequence of the same length, which is the y errors. And here I'm just going to say 1.96 times the standard deviations. Where these variables come from you can tell by looking at the code. And then I can say the format, I want an o to show the mean, and then a label. Fmt stands for format.
errorbar has different keyword arguments than plot. You'll find that you look at different ways like histograms and bar plots, scatterplots-- they all have different available keyword arguments. So you have to look up each individually. But other than this, everything in the code should look very familiar to you.
And when I run the code, I get this. And so what I've plotted here is the mean against the sample size with errorbars. And 100 trials, in this case. So what you can see is that, as the sample size gets bigger, the errorbars get smaller. The estimates of the mean don't necessarily get any better.
In fact, we can look here, and this is actually a worse estimate, relative to the true mean, than the previous two estimates. But we can have more confidence in it. The same thing we saw on Monday when we looked at estimating pi, dropping more needles didn't necessarily give us a more accurate estimate. But it gave us more confidence in our estimate. And the same thing is happening here. And we can see that, steadily, we can get more and more confidence.
So larger samples seem to be better. That's a good thing. Going from a sample size of 50 to a sample size of 600 reduced the confidence interval, as you can see, from a fairly large confidence interval here, ran from just below 14 to almost 19, as opposed to 15 and a half or so to 17. I said confidence interval here. I should not have. I should have said standard deviations. That's an error on the slides.
OK, what's the catch? Well, we're now looking at 100 samples, each of size 600. So we've looked at a total of 600,000 examples. What has this bought us? Absolutely nothing. The entire population only contained about 422,000 samples. We might as well have looked at the whole thing, rather than take a few of them. So it's like, you might as well hold an election rather than ask 800 people a million times who they're going to vote for. Sure, it's good. But it gave us nothing.
Suppose we did it only once. Suppose we took only one sample, as we see in political polls.
What can we can conclude from that? And the answer is actually kind of surprising, how much we can conclude, in a real mathematical sense, from one sample. And, again, this is thanks to our old friend, the central limit theorem.
So if you recall the theorem, it had three parts. Up till now, we've exploited the first two. We've used the fact that the means will be normally distributed so that we could use the empirical rule to get confidence intervals, and the fact that the mean of the sample means would be close to the mean of the population.
Now I want to use the third piece of it, which is that the variance of the sample means will be close to the variance of the population divided by the sample size. And we're going to use that to compute something called the standard error-- formerly the standard error of the mean.
People often just call it the standard error. And I will be, alas, inconsistent. I sometimes call it one, sometimes the other.
It's an incredibly simple formula. It says the standard error is going to be equal to sigma, where sigma is the population standard deviation divided by the square root of n, which is going to be the size of the sample. And then there's just this very small function that implements it. So we can compute this thing called the standard error of the mean in a very straightforward way.
We can compute it. But does it work? What do I mean by work? I mean, what's the relationship of the standard error to the standard deviation? Because, remember, that was our goal, was to understand the standard deviation so we could use the empirical rule.
Well, let's test the standard error of the mean. So here's a slightly longer piece of code. I'm going to look at a bunch of different sample sizes, from 25 to 600, 50 trials each. So getHighs is just a function that returns the temperatures. I'm going to get the standard deviation of the whole population, then the standard error of the means and the sample standard deviations, both. And then I'm just going to go through and run it. So for size and sample size, I'm going to append the standard error of the mean. And remember, that uses the population standard deviation and the size of the sample. So I'll compute all the SEMs. And then I'm going to compute all the actual standard deviations, as well. And then we'll produce a bunch of plots--or a plot, actually.
All right, so let's see what that plot looks like. Pretty striking. So we see the blue solid line is the standard deviation of the 50 means. And the red dotted line is the standard error of the mean.
So we can see, quite strikingly here, that they really track each other very well. And this is saying that I can anticipate what the standard deviation would be by computing the standard error.
Which is really useful, because now I have one sample. I computed standard error. And I get something very similar to what I get of the standard deviation if I took 50 samples and looked at the standard deviation of those 50 samples. All right, so not obvious that this would be true, right? That I could use this simple formula, and the two things would track each other so well.
And it's not a coincidence, by the way, that as I get out here near the end, they're really lying on top of each other. As the sample size gets much larger, they really will coincide.
So one, does everyone understand the difference between the standard deviation and the standard error? No. OK. So how do we compute a standard deviation? To do that, we have to look at many samples-- in this case 50-- and we compute how much variation there is in those 50 samples.
For the standard error, we look at one sample, and we compute this thing called the standard error. And we argue that we get the same number, more or less, that we would have gotten had we taken 50 samples or 100 samples and computed the standard deviation. So I can avoid taking all 50 samples if my only reason for doing it was to get the standard deviation. I can take one sample instead and use the standard error of the mean. So going back to my temperature-- instead of having to look at lots of samples, I only have to look at one. And I can get a confidence interval. That make sense? OK.
There's a catch. Notice that the formula for the standard error includes the standard deviation of the population-- the standard deviation of the sample. Well, that's kind of a bummer.
Because how can I get the standard deviation of the population without looking at the whole population? And if we're going to look at the whole population, then what's the point of sampling in the first place?
So we have a catch, that we've got something that's a really good approximation, but it uses a value we don't know. So what should we do about that? Well, what would be, really, the only obvious thing to try? What's our best guess at the standard deviation of the population if we have only one sample to look at? What would you use? Somebody? I know I forgot to bring the candy today, so no one wants to answer any questions.
AUDIENCE: The standard deviation of the sample?
PROFESSOR: The standard deviation of the sample. It's all I got. So let's ask the question, how good is that?
Shockingly good. So I looked at our example here for the temperatures. And I'm plotting the sample standard deviation versus the population standard deviation for different sample sizes, ranging from 0 to 600 by one, I think.
So what you can see here is when the sample size is small, I'm pretty far off. I'm off by 14% here. And I think that's 25. But when the sample sizes is larger, say 600, I'm off by about 2%.
So what we see, at least for this data set of temperatures-- if the sample size is large enough, the sample standard deviation is a pretty good approximation of the population standard deviation.
Well. Now we should ask the question, what good is this? Well, as I said, once the sample reaches a reasonable size-- and we see here, reasonable is probably somewhere around 500-- it becomes a good approximation. But is it true only for this example? The fact that it happened to work for high temperatures in the US doesn't mean that it will always be true.
happened to work for high temperatures in the US doesn't mean that it will always be true.
So there are at least two things we should consider to asking the question, when will this be true, when won't it be true. One is, does the distribution of the population matter? So here we saw, in our very first plot, the distribution of the high temperatures. And it was kind of symmetric around a point-- not perfectly. But not everything looks that way, right?
So we should say, well, suppose we have a different distribution. Would that change this conclusion? And the other thing we should ask is, well, suppose we had a different sized population. Suppose instead of 400,000 temperatures I had 20 million temperatures. Would I need more than 600 samples for the two things to be about the same?
Well, let's explore both of those questions. First, let's look at the distributions. And we'll look at three common distributions-- a uniform distribution, a normal distribution, and an exponential distribution. And we'll look at each of them for, what is this, 100,000 points.
So we know we can generate a uniform distribution by calling random.random. Gives me a uniform distribution of real numbers between 0 and 1. We know that we can generate our normal distribution by calling random.gauss. In this case, I'm looking at it between the mean of 0 and a standard deviation of 1. But as we saw in the last lecture, the shape will be the same, independent of these values.
And, finally, an exponential distribution, which we get by calling random.expovariate. Very And this number, 0.5, is something called lambda, which has to do with how quickly the exponential either decays or goes up, depending upon which direction. And I'm not going to give you the formula for it at the moment. But we'll look at the pictures. And we'll plot each of these discrete approximations to these distributions.
So here's what they look like. Quite different, right? We've looked at uniform and we've looked at Gaussian before. And here we see an exponential, which basically decays and will asymptote towards zero, never quite getting there. But as you can see, it is certainly not very symmetric around the mean.
All right, so let's see what happens. If we run the experiment on these three distributions, each of 100,000 point examples, and look at different sample sizes, we actually see that the difference between the standard deviation and the sample standard deviation of the population standard deviation is not the same.
We see, down here-- this looks kind of like what we saw before. But the exponential one is really quite different. You know, its worst case is up here at 25. The normal is about 14. So that's not too surprising, since our temperatures were kind of normally distributed when we looked at it. And the uniform is, initially, much better an approximation.
And the reason for this has to do with a fundamental difference in these distributions, something called skew. Skew is a measure of the asymmetry of a probability distribution. And what we can see here is that skew actually matters. The more skew you have, the more samples you're going to need to get a good approximation. So if the population is very skewed, very asymmetric in the distribution, you need a lot of samples to figure out what's going on. If it's very uniform, as in, for example, the uniform population, you need many fewer samples. OK, so that's an important thing. When we go about deciding how many samples we need, we need to have some estimate of the skew in our population.
All right, how about size? Does size matter? Shockingly-- at least it was to me the first time I looked at this-- the answer is no. If we look at this-- and I'm looking just for the uniform distribution, but we'll see the same thing for all three-- it more or less doesn't matter. Quite amazing, right?
If you have a bigger population, you don't need more samples. And it's really almost counterintuitive to think that you don't need any more samples to find out what's going to happen if you have a million people or 100 million people. And that's why, when we look at, say, political polls, they're amazingly small. They poll 1,000 people and claim they're representative of Massachusetts.
This is good news. So to estimate the mean of a population, given a single sample, we choose a sample size based upon some estimate of skew in the population. This is important, because if we get that wrong, we might choose a sample size that is too small. And in some sense, you always want to choose the smallest sample size you can that will give you an accurate answer, because it's more economical to have small samples than big samples.
And I've been talking about polls, but the same is true in an experiment. How many pieces of data do you need to collect when you run an experiment in a lab. And how much will depend, again, on the skew of the data. And that will help you decide.
When you know the size, you choose a random sample from the population. Then you compute the mean and the standard deviation of that sample. And then use the standard deviation of that sample to estimate the standard error. And I want to emphasize that what you're getting here is an estimate of the standard error, not the standard error itself, which would require you to know the population standard deviation. But if you've chosen the sample size to be appropriate, this will turn out to be a good estimate.
And then once we've done that, we use the estimated standard error to generate confidence intervals around the sample mean. And we're done. Now this works great when we choose independent random samples. And, as we've seen before, that if you don't choose independent samples, it doesn't work so well. And, again, this is an issue where if you assume that, in an election, each state is independent of every other state, and you'll get the wrong answer, because they're not.
All right, let's go back to our temperature example and pose a simple question. Are 200 samples enough? I don't know why I chose 200. I did. So we'll do an experiment here. This is similar to an experiment we saw on Monday.
So I'm starting with the number of mistakes I make. For t in a range number of trials, sample will be random.sample of the temperatures in the sample size. This is a key step. The first time I did this, I messed it up. And instead of doing this very simple thing, I did a more complicated thing of just choosing some point in my list of temperatures and taking the next 200 temperatures. Why did that give me the wrong answer? Because it's organized by city. So if I happen to choose the first day of Phoenix, all 200 temperatures were Phoenix-- which is not a very good approximation of the temperature in the country as a whole.
But this will work. I'm using random.sample. I'll then get the sample mean. Then I'll compute my estimate of the standard error by taking that as seen here. And then if the absolute value of the population minus the sample mean is more than 1.96 standard errors, I'm going to say I messed up. It's outside. And then at the end, I'm going to look at the fraction outside the 95% confidence intervals.
And what do I hope it should print? What would be the perfect answer when I run this? What fraction should lie outside that? It's a pretty simple calculation. Five, right? Because if they all were inside, then I'm being too conservative in my interval, right? I want 5% of the tests to fall outside the 95% confidence interval.
If I wanted fewer, then I would look at three standard deviations. Instead of 1.96, then I would expect less than 1% to fall outside. So this is something we have to always keep in mind when expect less than 1% to fall outside. So this is something we have to always keep in mind when we do this kind of thing. If your answer is too good, you've messed up. Shouldn't be too bad, but it shouldn't be too good, either. That's what probabilities are all about. If you called every election correctly, then your math is wrong.
Well, when we run this, we get this lovely answer, that the fraction outside the 95% confidence interval is 0.0511. That's exactly-- well, close to what you want. It's almost exactly 5%. And if I run it multiple times, I get slightly different numbers. But they're all in that range, showing that, here, in fact, it really does work.
So that's what I want to say, and it's really important, this notion of the standard error. When I talk to other departments about what we should cover in 60002, about the only thing everybody agrees on was we should talk about standard error. So now I hope I have made everyone happy. And we will talk about fitting curves to experimental data starting next week.
All right, thanks a lot. |
190139 | https://www.iitianacademy.com/cie-as-a-level-physics-9702-topic-7-waves-unit-7-3-doppler-effect-for-sound-waves-study-notes/ | CIE AS/A Level Physics 7.3 Doppler effect for sound waves Study Notes
Skip to content
IB DP, MYP, AP..
HOME
IB DPMenu Toggle
IB BiologyMenu Toggle
IB Biology HLMenu Toggle
Exam Style Questions
Study Notes
Flashcards
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Biology SLMenu Toggle
Exam Style Questions
Study Notes
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB MathMenu Toggle
IB Math AA HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Flashcards
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Math AA SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Study Notes
Flashcards
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB Math AI HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
HL Paper 3 -Full Access
IB Math AI SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Study Notes
IB PhysicsMenu Toggle
IB Physics HLMenu Toggle
Exam Style Questions
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Physics SLMenu Toggle
Exam Style Questions
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB ChemistryMenu Toggle
IB Chemistry HLMenu Toggle
Exam Style Questions
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Chemistry SLMenu Toggle
Exam Style Questions
Study Notes
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB HistoryMenu Toggle
IB History HL/SLMenu Toggle
Paper 1
Paper 2
Paper 3Menu Toggle
HL Option 1
HL Option 2
HL Option 3
HL Option 4
IB GeographyMenu Toggle
IB Geography HL/SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Study Notes
IB EconomicMenu Toggle
IB Economics HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB Economics SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB Computer ScienceMenu Toggle
IB Computer Science HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB Computer Science SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB MYPMenu Toggle
MYP 4-5 PhysicsMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 BiologyMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 ChemistryMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 Standard MathMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 Extended MathMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 Integrated SciencesMenu Toggle
Full Access
AP®Menu Toggle
AP® Physics 1 Algebra-BasedMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Physics 2 Algebra-BasedMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Physics C: E&MMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Physics C: MechanicsMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® BiologyMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® ChemistryMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Calc ABMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Calc BCMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® StatisticsMenu Toggle
Exam Style Questions
Study Notes
Full Access
AS & A LevelMenu Toggle
Mathematics (9709)Menu Toggle
Exam Style Questions
Full Access
Biology (9700)Menu Toggle
Exam Style Questions
Full Access
Physics (9702)Menu Toggle
Exam Style Questions
Study Notes
Full Access
Chemistry (9701)Menu Toggle
Exam Style Questions
iGCSEMenu Toggle
Biology (0610)Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1 & 3
Paper 2 & 4
Flashcards
Study Notes
Physics (0625)Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1 & 3
Paper 2 & 4
Flashcards
Study Notes
Chemistry (0620)Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1 & 3
Paper 2 & 4
Study Notes
Math ( 0580 )Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Paper 4
Study Notes
Co-Ordinated Sciences
EdexcelMenu Toggle
Biology 4XBI1Menu Toggle
Study Notes
DSATMenu Toggle
Digital SAT MathMenu Toggle
Exam Style Questions
Full Access
Digital SAT R&WMenu Toggle
Exam Style Questions
Full Access
Vocab Flashcards
KSMenu Toggle
UKMTMenu Toggle
Junior Maths Challenge
Senior Maths Challenge
11plus(CAT4)Menu Toggle
Math
Non-verbal
Verbal
English
Year 7Menu Toggle
Maths
Science
Year 6Menu Toggle
Year 6 – Maths
Year 5
Year 4
Year 3
Year 2
Log In / Register
IB DP, MYP, AP..
Main Menu Menu
HOME
IB DPMenu Toggle
IB BiologyMenu Toggle
IB Biology HLMenu Toggle
Exam Style Questions
Study Notes
Flashcards
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Biology SLMenu Toggle
Exam Style Questions
Study Notes
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB MathMenu Toggle
IB Math AA HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Flashcards
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Math AA SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Study Notes
Flashcards
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB Math AI HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
HL Paper 3 -Full Access
IB Math AI SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Study Notes
IB PhysicsMenu Toggle
IB Physics HLMenu Toggle
Exam Style Questions
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Physics SLMenu Toggle
Exam Style Questions
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB ChemistryMenu Toggle
IB Chemistry HLMenu Toggle
Exam Style Questions
Study Notes
HL Paper 1 – Full Access
HL Paper 2 – Full Access
IB Chemistry SLMenu Toggle
Exam Style Questions
Study Notes
SL Paper 1 – Full Access
SL Paper 2 – Full Access
IB HistoryMenu Toggle
IB History HL/SLMenu Toggle
Paper 1
Paper 2
Paper 3Menu Toggle
HL Option 1
HL Option 2
HL Option 3
HL Option 4
IB GeographyMenu Toggle
IB Geography HL/SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Study Notes
IB EconomicMenu Toggle
IB Economics HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB Economics SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB Computer ScienceMenu Toggle
IB Computer Science HLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB Computer Science SLMenu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
IB MYPMenu Toggle
MYP 4-5 PhysicsMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 BiologyMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 ChemistryMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 Standard MathMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 Extended MathMenu Toggle
Exam Style Questions
Study Notes
Full Access
MYP 4-5 Integrated SciencesMenu Toggle
Full Access
AP®Menu Toggle
AP® Physics 1 Algebra-BasedMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Physics 2 Algebra-BasedMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Physics C: E&MMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Physics C: MechanicsMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® BiologyMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® ChemistryMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Calc ABMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® Calc BCMenu Toggle
Exam Style Questions
Study Notes
Full Access
AP® StatisticsMenu Toggle
Exam Style Questions
Study Notes
Full Access
AS & A LevelMenu Toggle
Mathematics (9709)Menu Toggle
Exam Style Questions
Full Access
Biology (9700)Menu Toggle
Exam Style Questions
Full Access
Physics (9702)Menu Toggle
Exam Style Questions
Study Notes
Full Access
Chemistry (9701)Menu Toggle
Exam Style Questions
iGCSEMenu Toggle
Biology (0610)Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1 & 3
Paper 2 & 4
Flashcards
Study Notes
Physics (0625)Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1 & 3
Paper 2 & 4
Flashcards
Study Notes
Chemistry (0620)Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1 & 3
Paper 2 & 4
Study Notes
Math ( 0580 )Menu Toggle
Exam Style QuestionsMenu Toggle
Paper 1
Paper 2
Paper 3
Paper 4
Study Notes
Co-Ordinated Sciences
EdexcelMenu Toggle
Biology 4XBI1Menu Toggle
Study Notes
DSATMenu Toggle
Digital SAT MathMenu Toggle
Exam Style Questions
Full Access
Digital SAT R&WMenu Toggle
Exam Style Questions
Full Access
Vocab Flashcards
KSMenu Toggle
UKMTMenu Toggle
Junior Maths Challenge
Senior Maths Challenge
11plus(CAT4)Menu Toggle
Math
Non-verbal
Verbal
English
Year 7Menu Toggle
Maths
Science
Year 6Menu Toggle
Year 6 – Maths
Year 5
Year 4
Year 3
Year 2
Log In / Register
Home / CIE AS/A Level Physics 7.3 Doppler effect for sound waves Study Notes
CIE AS/A Level Physics 7.3 Doppler effect for sound waves Study Notes
CIE AS/A Level Physics 7.3 Doppler effect for sound waves Study Notes- 2025-2027 Syllabus
CIE AS/A Level Physics 7.3 Doppler effect for sound waves Study Notes – New Syllabus
CIE AS/A Level Physics 7.3 Doppler effect for sound waves Study Notes at IITian Academy focus on specific topic and type of questions asked in actual exam. Study Notes focus on AS/A Level Physics latest syllabus with Candidates should be able to:
understand that when a source of sound waves moves relative to a stationary observer, the observed frequency is different from the source frequency (understanding of the Doppler effect for a stationary source and a moving observer is not required)
use the expression f o=f s×V V±V s for the observed frequency when a source of sound waves moves
relative to a stationary observer
AS/A Level Physics Study Notes- All Topics
Exam Style Questions New
CIE AS & A Level Physics – Exam Style Questions Paper 1
CIE AS & A Level Physics – Exam Style Questions Paper 2
CIE AS & A Level Physics – Exam Style Questions Paper 4
7.3.1 understand that when a source of sound waves moves relative to a stationary observer, the observed frequency is different from the source frequency (understanding of the Doppler effect for a stationary source and a moving observer is not required)
Doppler effect is the change in frequency of a wave received by an observer moving relative to the source of waves.
You may have noticed a change in pitch of the note heard when an emergency vehicle passes you while sounding its siren. The pitch is higher as the vehicle approaches you, and lower as it moves away (recedes). This is an example of the Doppler effect; you can hear the same thing if a train passes at speed while sounding its whistle.
Above Figure shows that the frequency of waves emitted by a stationary source is same in all directions. Thus, the observer at rest perceives frequency f.
When the source starts moving towards the observer, shorter wavelength waves are moving towards the observer and therefore, high frequency is observed.
Similarly, when the source starts to move away from the observer, wavelength becomes longer and the received frequency if less than the actual frequency emitted from the source.
In nutshell, waves get compressed when source moves towards the observer and expand when the source starts moving away from the observer.
Doppler Effect in light:
A similar kind of phenomena is observed in electromagnetic or light waves.
Red shift: When the observer is moving away from the source, the frequency of the waves is reduced. Thus, a shift towards red side of the spectrum is observed ( due to increase in wavelength).
Blue shift: When the observer is moving towards the source, the frequency of the waves is increased. Thus, a shift towards blue side of the spectrum is observed ( due to decrease in wavelength).
Applications of Doppler effect:
Radar Guns: It detects the change in the speed of the vehicle from the change in frequency of the reflected radio waves.
Measuring speed of galaxies in astronomy: The Doppler shift of light from stars and galaxies give information about the speed and direction of their movement.
Sound navigation and Ranging (SONAR): It is used by ships to detect underwater objects (like submarines) by detecting the change in frequency.
7.3.2 use the expression f o=f s×V V±V s for the observed frequency when a source of sound waves moves relative to a stationary observer
The frequency and wavelength observed by an observer will change according to the speed v s at which the source is moving relative to the stationary observer.
Considering the Figure given in the previous section, the wavelength of sound emitted by a stationary source is given as λ o = (\frac{v}{f s}), where v is the wave speed and f s is the source frequency.
When the source starts moving with a velocity vs, the wavelength of the signal received by the observer changes to:
Moving towards observer:λ=f s v v−v s(shorter wavelength)
Moving away from observer:λ=f s v v+v s(longer wavelength)
Therefore, the frequency received by the observer will be given as:
f o=v λ
Moving towards observer:f o=f s v v–v s
Moving away from observer:f o=f s v v+v s
Trick to remember: Source moving closer: Frequency received will be high (small denominator, v – v s)
Source moving away: Frequency received will be low (large denominator, v + v s)
When both source and observor are moving:
The general formula of Doppler effect is given as:
f o=f s v±v o v±v s
Here, v o is the speed of the observor.
Case I: Source is moving towards the observer at rest.
f o=f s v v−v s
Case II: Source is moving away from the observer at rest.
f o=f s v v+v s
Case III: Observor moving away from a stationary source.
f o=f s v−v o v
Case IV: Observor moving towards a stationary source.
f o=f s v+v o v
Question
A train with a whistle that emits a note of frequency 800 Hz is approaching a stationary observer at a speed of 60 m s−1.Calculate the frequency of the note heard by the observer.
Answer/ExplanationSpeed of sound in air =330 m s−1
Step 1 Select the appropriate form of the Doppler equation. Here, the source is approaching the observer so we choose the minus sign:
f o=f s v v−v s
Step 2 Substitute values from the question and solve:
f o= 800×330 330−60 = 978 Hz
So, the observer hears a note whose pitch is raised significantly, because the train is travelling at a speed that is a significant fraction of the speed of sound.
Question
Two cars A and B are moving toward each other at a speed of 140 m/s. If the frequency of the horn emitted by A is 800 Hz, then what is the apparent frequency of the horn heard by the passenger sitting in car B?
Answer/Explanation
The velocity of sound in air is 360 m/s.
f o=f s v+v o v−v s
f o=800(360+140 360−140)Hz
= 1818 Hz.
12.5 The Doppler effect for sound waves
You may have noticed a change in pitch of the note heard when an emergency vehicle passes you while sounding its siren. The pitch is higher as the vehicle approaches you, and lower as it moves away (recedes). This is an example of the Doppler effect; you can hear the same thing if a train passes at speed while sounding its whistle.
Figure 12.11 shows why this change in frequency is observed. It shows a source of sound emitting waves with a constant frequency f S, together with two observers A and B.
If the source is stationary (Figure 12.11a), waves arrive at A and B at the same rate, and so both observers hear sounds of the same frequency f s.
If the source is moving towards A and away from B (Figure 12.11b), the situation is different. From the diagram, you can see that the waves are squashed together in the direction of A and spread apart in the direction of B.
Observer A will observe, or detect, waves whose wavelength is shortened. More wavelengths per second arrive at A, and so A observes a sound of higher frequency than f s. Similarly, the waves arriving at B have been stretched out and B will observe a frequency lower than f s.
Figure 12.11: Sound waves (green lines) emitted at constant frequency by a a stationary source, and b a source moving with speed v s. The separation between adjacent green lines is equal to one wavelength.
An equation for observed frequency
There are two different speeds involved in this situation. The source is moving with speed v s. The sound waves travel through the air with speed v, which is unaffected by the speed of the source. (Remember, the speed of a wave depends only on the medium it is travelling through.)
The frequency and wavelength observed by an observer will change according to the speed v s at which the source is moving relative to the stationary observer. Figure 12.12 shows how we can calculate the observed wavelength λ 0 and the observed frequency f 0.
The wave sections shown in Figure 12.12 represent the f s wavelengths emitted by the source in 1 s. Provided the source is stationary (Figure 12.12a), the length of this section is equal to the wave speed v. The wavelength observed by the observer is simply:
λ 0=v f s
The situation is different when the source is moving away (receding) from the observer (Figure 12.12b).
In 1 s, the source moves a distance v s. Now the section of f s wavelengths will have a length equal to v+v s.
Figure 12.12: Sound waves, emitted at constant frequency by a a stationary source, and b a source moving with speed v S away from the observer (that is, the person hearing the sound).
The observed wavelength is now given by:
λ 0=(v+v s)f s
The observed frequency is given by:
f 0=v λ 0=f s×v(v+v s)
where f 0 is the observed frequency, f S is the frequency of the source, v is the speed of the wave and v S is the speed of the source relative to the observer.
This shows us how to calculate the observed frequency when the source is moving away from the observer. If the source is moving towards the observer, the section of f s wavelengths will be compressed into a shorter length equal to v−v S, and the observed frequency will be given by:
f 0=v λ 0=f s×v(v−v s)
We can combine these two equations to give a single equation for the Doppler shift in frequency due to a moving source:
observed frequency, f 0=f s×v(v±v s)
where the plus sign applies to a receding source and the minus sign to an approaching source. Note these important points:
The frequency fs of the source is not affected by the movement of the source.
The speed v of the waves as they travel through the air (or other medium) is also unaffected by the movement of the source.
Note that a Doppler effect can also be heard when an observer is moving relative to a stationary source, and also when both source and observer are moving. There is more about the Doppler effect and light in Chapter 31.
WORKED EXAMPLE
3 A train with a whistle that emits a note of frequency 800 Hz is approaching a stationary observer at a speed of 60 m s−1.
Calculate the frequency of the note heard by the observer.
speed of sound in air =330 m s−1
Step 1 Select the appropriate form of the Doppler equation. Here the source is approaching the observer so we choose the minus sign:
f 0=f s×v(v−v s)
Step 2 Substitute values from the question and solve:
f 0=800×330(330−60)=800×330 270=978 Hz≈980 Hz
So, the observer hears a note whose pitch is raised significantly, because the train is travelling at a speed that is a significant fraction of the speed of sound.
Question
10 A plane’s engine emits a note of constant frequency 120 Hz. It is flying away from a stationary observer at a speed of 80 m s−1. Calculate:
a the observed wavelength of the sound received by the observer
b its observed frequency.
(Speed of sound in air =330 m s−1.)
Resources
IBDP
IB MYP
DSAT
AP (Advanced Placement)
CIE AS/A Level
iGCSE
KS 1-4
Members
Login
Register
Change Password
Guide to Register For Paid Courses
Company
About Us
Contact us
Copyright © 2025 IB DP, MYP, AP..
Support@iitianacademy.com
My Privacy
RedditYoutubePinterestLinkedin
Download Apps
Scroll to Top
Notifications |
190140 | https://pubmed.ncbi.nlm.nih.gov/2555167/ | The extreme mutator effect of Escherichia coli mutD5 results from saturation of mismatch repair by excessive DNA replication errors - PubMed
Clipboard, Search History, and several other advanced features are temporarily unavailable.
Skip to main page content
An official website of the United States government
Here's how you know
The .gov means it’s official.
Federal government websites often end in .gov or .mil. Before sharing sensitive information, make sure you’re on a federal government site.
The site is secure.
The https:// ensures that you are connecting to the official website and that any information you provide is encrypted and transmitted securely.
Log inShow account info
Close
Account
Logged in as:
username
Dashboard
Publications
Account settings
Log out
Access keysNCBI HomepageMyNCBI HomepageMain ContentMain Navigation
Search: Search
AdvancedClipboard
User Guide
Save Email
Send to
Clipboard
My Bibliography
Collections
Citation manager
Display options
Display options
Format
Save citation to file
Format:
Create file Cancel
Email citation
Email address has not been verified. Go to My NCBI account settings to confirm your email and then refresh this page.
To:
Subject:
Body:
Format:
[x] MeSH and other data
Send email Cancel
Add to Collections
Create a new collection
Add to an existing collection
Name your collection:
Name must be less than 100 characters
Choose a collection:
Unable to load your collection due to an error
Please try again
Add Cancel
Add to My Bibliography
My Bibliography
Unable to load your delegates due to an error
Please try again
Add Cancel
Your saved search
Name of saved search:
Search terms:
Test search terms
Would you like email updates of new search results? Saved Search Alert Radio Buttons
Yes
No
Email: (change)
Frequency:
Which day?
Which day?
Report format:
Send at most:
[x] Send even when there aren't any new results
Optional text in email:
Save Cancel
Create a file for external citation management software
Create file Cancel
Your RSS Feed
Name of RSS Feed:
Number of items displayed:
Create RSS Cancel
RSS Link Copy
Actions
Cite
Collections
Add to Collections
Create a new collection
Add to an existing collection
Name your collection:
Name must be less than 100 characters
Choose a collection:
Unable to load your collection due to an error
Please try again
Add Cancel
Permalink
Permalink
Copy
Display options
Display options
Format
Page navigation
Title & authors
Abstract
Similar articles
Cited by
References
Publication types
MeSH terms
Substances
Related information
EMBO J
Actions
Search in PubMed
Search in NLM Catalog
Add to Search
. 1989 Nov;8(11):3511-6.
doi: 10.1002/j.1460-2075.1989.tb08516.x.
The extreme mutator effect of Escherichia coli mutD5 results from saturation of mismatch repair by excessive DNA replication errors
R M Schaaper1,M Radman
Affiliations Expand
Affiliation
1 Laboratory of Molecular Genetics, National Institute of Environmental Health Sciences, Research Triangle Park, NC 27709.
PMID: 2555167
PMCID: PMC401508
DOI: 10.1002/j.1460-2075.1989.tb08516.x
Item in Clipboard
The extreme mutator effect of Escherichia coli mutD5 results from saturation of mismatch repair by excessive DNA replication errors
R M Schaaper et al. EMBO J.1989 Nov.
Show details
Display options
Display options
Format
EMBO J
Actions
Search in PubMed
Search in NLM Catalog
Add to Search
. 1989 Nov;8(11):3511-6.
doi: 10.1002/j.1460-2075.1989.tb08516.x.
Authors
R M Schaaper1,M Radman
Affiliation
1 Laboratory of Molecular Genetics, National Institute of Environmental Health Sciences, Research Triangle Park, NC 27709.
PMID: 2555167
PMCID: PMC401508
DOI: 10.1002/j.1460-2075.1989.tb08516.x
Item in Clipboard
Cite
Display options
Display options
Format
Abstract
Escherichia coli mutator mutD5 is the most potent mutator known. The mutD5 mutation resides in the dnaQ gene encoding the proofreading exonuclease of DNA polymerase III holoenzyme. It has recently been shown that the extreme mutability of this strain results, in addition to a proofreading defect, from a defect in mutH, L, S-encoded postreplicational DNA mismatch repair. The following measurements of the mismatch-repair capacity of mutD5 cells demonstrate that this mismatch-repair defect is not structural, but transient. mutD5 cells in early log phase are as deficient in mismatch repair as mutL cells, but they become as proficient as wild-type cells in late log phase. Second, arrest of chromosomal replication in a mutD5-dnaA(Ts) strain at a nonpermissive temperature restores mismatch repair, even from the early log phase of growth. Third, transformation of mutD5 strains with multicopy plasmids expressing the mutH or mutL gene restores mismatch repair, even in rapidly growing cells. These observations suggest that the mismatch-repair deficiency of mutD strains results from a saturation of the mutHLS-mismatch-repair system by an excess of primary DNA replication errors due to the proofreading defect.
PubMed Disclaimer
Similar articles
Escherichia coli mutator mutD5 is defective in the mutHLS pathway of DNA mismatch repair.Schaaper RM.Schaaper RM.Genetics. 1989 Feb;121(2):205-12. doi: 10.1093/genetics/121.2.205.Genetics. 1989.PMID: 2659431 Free PMC article.
Saturation of mismatch repair in the mutD5 mutator strain of Escherichia coli.Damagnez V, Doutriaux MP, Radman M.Damagnez V, et al.J Bacteriol. 1989 Aug;171(8):4494-7. doi: 10.1128/jb.171.8.4494-4497.1989.J Bacteriol. 1989.PMID: 2666405 Free PMC article.
An Escherichia coli dnaE mutation with suppressor activity toward mutator mutD5.Schaaper RM, Cornacchio R.Schaaper RM, et al.J Bacteriol. 1992 Mar;174(6):1974-82. doi: 10.1128/jb.174.6.1974-1982.1992.J Bacteriol. 1992.PMID: 1548237 Free PMC article.
Current understanding of UV-induced base pair substitution mutation in E. coli with particular reference to the DNA polymerase III complex.Bridges BA, Woodgate R, Ruiz-Rubio M, Sharif F, Sedgwick SG, Hübscher U.Bridges BA, et al.Mutat Res. 1987 Dec;181(2):219-26. doi: 10.1016/0027-5107(87)90099-6.Mutat Res. 1987.PMID: 3317025 Review.
Methyl-directed DNA mismatch correction.Modrich P.Modrich P.J Biol Chem. 1989 Apr 25;264(12):6597-600.J Biol Chem. 1989.PMID: 2651430 Review.
See all similar articles
Cited by
DNA replication timing: Biochemical mechanisms and biological significance.Rhind N.Rhind N.Bioessays. 2022 Nov;44(11):e2200097. doi: 10.1002/bies.202200097. Epub 2022 Sep 20.Bioessays. 2022.PMID: 36125226 Free PMC article.
2-aminopurine allows interspecies recombination by a reversible inactivation of the Escherichia coli mismatch repair system.Matic I, Babic A, Radman M.Matic I, et al.J Bacteriol. 2003 Feb;185(4):1459-61. doi: 10.1128/JB.185.4.1459-1461.2003.J Bacteriol. 2003.PMID: 12562818 Free PMC article.
Explosive mutation accumulation triggered by heterozygous human Pol ε proofreading-deficiency is driven by suppression of mismatch repair.Hodel KP, de Borja R, Henninger EE, Campbell BB, Ungerleider N, Light N, Wu T, LeCompte KG, Goksenin AY, Bunnell BA, Tabori U, Shlien A, Pursell ZF.Hodel KP, et al.Elife. 2018 Feb 28;7:e32692. doi: 10.7554/eLife.32692.Elife. 2018.PMID: 29488881 Free PMC article.
Molecular keys to speciation: DNA polymorphism and the control of genetic exchange in enterobacteria.Vulić M, Dionisio F, Taddei F, Radman M.Vulić M, et al.Proc Natl Acad Sci U S A. 1997 Sep 2;94(18):9763-7. doi: 10.1073/pnas.94.18.9763.Proc Natl Acad Sci U S A. 1997.PMID: 9275198 Free PMC article.
Negative regulation of mutS and mutH repair gene expression by the Hfq and RpoS global regulators of Escherichia coli K-12.Tsui HC, Feng G, Winkler ME.Tsui HC, et al.J Bacteriol. 1997 Dec;179(23):7476-87. doi: 10.1128/jb.179.23.7476-7487.1997.J Bacteriol. 1997.PMID: 9393714 Free PMC article.
See all "Cited by" articles
References
Mol Gen Genet. 1984;195(3):418-23 - PubMed
J Bacteriol. 1985 Sep;163(3):1007-15 - PubMed
J Mol Biol. 1983 Jun 5;166(4):557-80 - PubMed
J Bacteriol. 1974 Feb;117(2):477-87 - PubMed
Cell. 1988 Jun 17;53(6):837-40 - PubMed
Show all 41 references
Publication types
Research Support, Non-U.S. Gov't
Actions
Search in PubMed
Search in MeSH
Add to Search
Research Support, U.S. Gov't, P.H.S.
Actions
Search in PubMed
Search in MeSH
Add to Search
MeSH terms
Base Sequence
Actions
Search in PubMed
Search in MeSH
Add to Search
DNA Repair
Actions
Search in PubMed
Search in MeSH
Add to Search
DNA Replication
Actions
Search in PubMed
Search in MeSH
Add to Search
Escherichia coli / genetics
Actions
Search in PubMed
Search in MeSH
Add to Search
Escherichia coli / growth & development
Actions
Search in PubMed
Search in MeSH
Add to Search
Exonucleases / metabolism
Actions
Search in PubMed
Search in MeSH
Add to Search
Genes, Bacterial
Actions
Search in PubMed
Search in MeSH
Add to Search
Mutation
Actions
Search in PubMed
Search in MeSH
Add to Search
Plasmids
Actions
Search in PubMed
Search in MeSH
Add to Search
Temperature
Actions
Search in PubMed
Search in MeSH
Add to Search
Transfection
Actions
Search in PubMed
Search in MeSH
Add to Search
Substances
Exonucleases
Actions
Search in PubMed
Search in MeSH
Add to Search
Related information
MedGen
[x]
Cite
Copy Download .nbib.nbib
Format:
Send To
Clipboard
Email
Save
My Bibliography
Collections
Citation Manager
[x]
NCBI Literature Resources
MeSHPMCBookshelfDisclaimer
The PubMed wordmark and PubMed logo are registered trademarks of the U.S. Department of Health and Human Services (HHS). Unauthorized use of these marks is strictly prohibited.
Follow NCBI
Connect with NLM
National Library of Medicine
8600 Rockville Pike Bethesda, MD 20894
Web Policies
FOIA
HHS Vulnerability Disclosure
Help
Accessibility
Careers
NLM
NIH
HHS
USA.gov |
190141 | https://cloud.kepuchina.cn/newSearch/imgText?id=7163995653221195776 | 国家应急科普库
资源套餐
数据排行
科普中国网
科普中国资源服务首页 >
图文列表 >
图文详情
版权归原作者所有,如有侵权,请联系我们
二次函数
百度百科
上传时间:2024-03-04
科学百科
收藏
图文简介:
2023年科普中国×百度百科科学100词合作建设
基本定义
一般地,把形如y=ax²+bx+c(a≠0)(a、b、c是常数)的函数叫做二次函数,其中a称为二次项系数,b为一次项系数,c为常数项。x为自变量,y为因变量。等号右边自变量的最高次数是2。
顶点坐标
交点式为 y=a(x-x1)(x-x2)(仅限于与x轴有交点的抛物线),
与x轴的交点坐标是A(X1,0)和B(x2,0)。
注意:“变量”不同于“未知数”,不能说“二次函数是指未知数的最高次数为二次的多项式函数”。“未知数”只是一个数(具体值未知,但是只取一个值),“变量”可在一定范围内任意取值。在方程中适用“未知数”的概念(函数方程、微分方程中是未知函数,但不论是未知数还是未知函数,一般都表示一个数或函数——也会遇到特殊情况),但是函数中的字母表示的是变量,意义已经有所不同。从函数的定义也可看出二者的差别。
历史
大约在公元前480年,古巴比伦人和中国人已经使用配方法求得了二次方程的正根,但是并没有提出通用的求解方法。公元前300年左右,欧几里得提出了一种更抽象的几何方法求解二次方程。
7世纪印度的婆罗摩笈多是第一位懂得使用代数方程的人,它同时容许有正负数的根。
11世纪阿拉伯的花拉子密 独立地发展了一套公式以求方程的正数解。亚伯拉罕·巴希亚(亦以拉丁文名字萨瓦索达著称)在他的著作Liber embadorum中,首次将完整的一元二次方程解法传入欧洲。
据说施里德哈勒是最早给出二次方程的普适解法的数学家之一。但这一点在他的时代存在着争议。这个求解规则是:在方程的两边同时乘以二次项未知数的系数的四倍;在方程的两边同时加上一次项未知数的系数的平方;然后在方程的两边同时开二次方(引自婆什迦罗第二)
函数性质
1.二次函数的图像是抛物线,但抛物线不一定是二次函数。开口向上或者向下的抛物线才是二次函数。抛物线是轴对称图形。对称轴为直线 。对称轴与抛物线唯一的交点为抛物线的顶点P。特别地,当b=0时,抛物线的对称轴是y轴(即直线x=0)。
2.抛物线有一个顶点P,坐标为P 。当 时,P在y轴上;当 时,P在x轴上。
3.二次项系数a决定抛物线的开口方向和大小。当a>0时,抛物线开口向上;当a<0时,抛物线开口向下;|a|越小,则抛物线的开口越大;|a|越大,则抛物线的开口越小
4.一次项系数b和二次项系数a共同决定对称轴的位置。当a与b同号时(即ab>0),对称轴在y轴左侧;当a与b异号时(即ab<0)(可巧记为:左同右异),对称轴在y轴右侧。
5.常数项c决定抛物线与y轴交点。抛物线与y轴交于(0, c)
6.抛物线与x轴交点个数: 时,抛物线与x轴有2个交点。 时,抛物线与x轴有1个交点。当 时,抛物线与x轴没有交点。
7.当 时,函数在 处取得最小值 ;在 上是减函数,在 上是增函数;抛物线的开口向上;函数的值域是 。
当 时,函数在 处取得最大值 ;在 上是增函数,在 上是减函数;抛物线的开口向下;函数的值域是 。
当 时,抛物线的对称轴是y轴,这时,函数是偶函数,解析式变形为y=ax²+c(a≠0)。
8.定义域:R
9.值域:当a>0时,值域是 ;当a<0时,值域是 。6
奇偶性:当b=0时,此函数是偶函数;当b不等于0时,此函数是非奇非偶函数。
周期性:无
解析式:
①一般式:
⑴a≠0
⑵若a>0,则抛物线开口朝上;若a<0,则抛物线开口朝下。
⑶顶点: ;
⑷
若Δ>0,则函数图像与x轴交于两点:
和 ;
若Δ=0,则函数图像与x轴交于一点:
若Δ
②顶点式: 此时顶点为(h,k)
时,对应顶点为 ,其中, ;
③交点式:
函数图像与x轴交于 和 两点。
表达式
顶点式
y=a(x-h)²+k(a≠0,a、h、k为常数),顶点坐标为(h,k),对称轴为直线x=h,顶点的位置特征和图像的开口方向与函数y=ax²的图像相同,当x=h时,y最大(小)值=k.有时题目会指出让你用配方法把一般式化成顶点式。
例:已知二次函数y的顶点(1,2)和另一任意点(3,10),求y的解析式。
解:设y=a(x-1)²+2,把(3,10)代入上式,解得y=2(x-1)²+2。
注意:与点在平面直角坐标系中的平移不同,二次函数平移后的顶点式中,h>0时,h越大,图像的对称轴离y轴越远,且在x轴正方向上,不能因h前是负号就简单地认为是向左平移。
具体可分为下面几种情况:
当h>0时,y=a(x-h)²的图像可由抛物线y=ax²向右平行移动h个单位得到;
当h>0时,y=a(x+h)²的图像可由抛物线y=ax²向左平行移动h个单位得到;
当h>0,k>0时,将抛物线y=ax²向右平行移动h个单位,再向上移动k个单位,就可以得到y=a(x-h)²+k的图像;
当h>0,k>0时,将抛物线y=ax²向左平行移动h个单位,再向下移动k个单位,就可以得到y=a(x+h)²-k的图像;
当h<0,k>0时,将抛物线y=ax²向左平行移动|h|个单位,再向上移动k个单位可得到y=a(x-h)²+k的图像;
当h<0,k<0时,将抛物线y=ax²向左平行移动|h|个单位,再向下移动|k|个单位可得到y=a(x-h)²+k的图像。4
交点式
[仅限于与x轴即y=0有交点时的抛物线,即b2-4ac≥0] .
已知抛物线与x轴即y=0有交点A(x1, 0)和B(x2, 0),我们可设 ,然后把第三点代入x、y中便可求出a。
由一般式变为交点式的步骤: (韦达定理)
重要概念:a,b,c为常数,a≠0,且a决定函数的开口方向。a>0时,开口方向向上;a绝对值可以决定开口大小。a的绝对值越大开口就越小,a的绝对值越小开口就越大。
f(x)=f[x0]+fx0,x1+fx0,x1,x2(x-x1)+...fx0,...xn...(x-xn-1)+Rn(x)由此可引导出交点式的系数 (y为截距) 二次函数表达式的右边通常为二次三项式。
欧拉交点式:
若ax²+bx+c=0有两个实根x1,x2,则 此抛物线的对称轴为直线 。
三点式
方法1:
已知二次函数上三个点,(x1, y1)、(x2, y2)、(x3, y3)。把三个点分别代入函数解析式y=a(x-h)²+k(a≠0,a、h、k为常数),有:
得出一个三元一次方程组,就能解出a、b、c的值。
方法2:
已知二次函数上三个点,(x1, y1)、(x2, y2)、(x3, y3)
利用拉格朗日插值法,可以求出该二次函数的解析式为:
与X轴交点的情况:
当 时,函数图像与x轴有两个交点,分别是(x1, 0)和(x2, 0)。
当 时,函数图像与x轴只有一个切点,即 。
当 时,抛物线与x轴没有公共交点。x的取值范围是虚数( )
函数图像
基本图像
在平面直角坐标系中作出二次函数y=ax2+bx+c的图像,可以看出,在没有特定定义域的二次函数图像是一条永无止境的抛物线。 如果所画图形准确无误,那么二次函数图像将是由
来源: 百度百科
内容资源由项目单位提供
科普中国系列品牌网站
新华网科普中国频道
人民网科普中国频道
学习强国科普中国频道
科普中国要闻解读
科普中国直播系列
入驻科普号
心理服务科普基地建设
把科学带回家
中国科学院物理研究所
蝌蚪五线谱
世界动物保护协会
中国宇航学会
蒲公英医学情报总局
消防先生
老爸评测
阮光锋营养师
植物人史军
中国兵工学会
饮食参考
混知
合作机构
中国科协青少年科技中心
国家岩矿化石标本资源共享平台
中国工程科技知识中心
中国数字科技馆
中国教育网络电视台
中国国际航空公司
中国气象频道
深圳科博会
中国联通沃家电视
中国家电网
北京市科学技术协会
基因农业网
CNTV-未来电视
CIBN
更多
京公网安备11010202008423号 京ICP备 16016202号-1 |
190142 | https://www.shaalaa.com/question-bank-solutions/derive-the-expression-for-mean-free-path-of-the-gas_223739 | Tamil Nadu Board of Secondary EducationHSC Science Class 11
Question Papers
Question Papers
Textbook Solutions9727
MCQ Online Mock Tests
Important Solutions
Concept Notes82
Time Tables
Derive the expression for mean free path of the gas. - Physics
Advertisements
Advertisements
Question
Derive the expression for the mean free path of the gas.
Long Answer
Advertisements
Solution
Expression for mean free path: We know from postulates of a kinetic theory that the molecules of a gas are in random motion and they collide with each other. Between two successive collisions, a molecule moves along a straight path with uniform velocity. This path is called mean free path.
Consider a system of molecules each with diameter d. Let n be the number of molecules per unit volume.
Assume that only one molecule is in motion and all others are at rest as shown in the Figure.
Mean free path
If a molecule moves with average speed v in a time t, the distance travelled is vt. In this time t, consider the molecule to move in an imaginary cylinder of volume πd2vt. It collides with any molecule whose center is within this cylinder. Therefore, the number of collisions is equal to the number of molecules in the volume of the imaginary cylinder. It is equal to πd2vtn. The total path length divided by the number of collisions in time t is the mean free path.
Mean free path, λ = "distance travelled"/"Number of collisions"
λ = "vt"/("n"π"d"^2"vt") = 1/("n"π"d"^2) ........(1)
Though we have assumed that only one molecule is moving at a time and other molecules are at rest, in actual practice all the molecules are in random motion. So the average relative speed of one molecule with respect to other molecules has to be taken into account. After some detailed calculations the correct expression for mean free path
∴ λ = 1/(sqrt2"n"π"d"^2) .........(2)
Equation (2) implies that the mean free path is inversely proportional to number density. When the number density increases the molecular collisions increases so it decreases the distance travelled by the molecule before collisions.
Case 1: Rearranging the equation (2) using ‘m’ (mass of the molecule)
∴ λ = "m"/(sqrt2π"d"^2"mn")
But mn = mass per unit volume = ρ (density of the gas)
∴ λ = "m"/(sqrt2π"d"^2ρ) ..........(3)
Also we know that PV = NkT
P = "N"/"V""kT" = nkT ⇒ n = "P"/"kT"
Substituting n = "P"/"kT" in equation (2), we get
λ = "kT"/(sqrt2π"d"^2"P") ........(4)
The equation (4) implies the following:
(i) Mean free path increases with increasing temperature. As the temperature increases, the average speed of each molecule will increase. It is the reason why the smell of hot sizzling food reaches several meters away from the smell of cold food.
(ii) Mean free path increases with decreasing pressure of the gas and diameter of the gas molecules.
shaalaa.com
Mean Free Path
Is there an error in this question or solution?
Q III. 7.Q III. 6.Q III. 8.
Chapter 9: Kinetic Theory of Gases - Evaluation [Page 185]
APPEARS IN
Samacheer Kalvi Physics - Volume 1 and 2 [English] Class 11 TN Board
Chapter 9 Kinetic Theory of GasesEvaluation | Q III. 7. | Page 185
RELATED QUESTIONS
Estimate the mean free path and collision frequency of a nitrogen molecule in a cylinder containing nitrogen at 2.0 atm and temperature 17 °C. Take the radius of a nitrogen molecule to be roughly 1.0 Å. Compare the collision time with the time the molecule moves freely between two successive collisions (Molecular mass of N2 = 28.0 u).If the temperature and pressure of a gas is doubled the mean free path of the gas molecules ____________.Define mean free path and write down its expression.List the factors affecting the mean free path.What is the reason for the Brownian motion?Calculate the mean free path of air molecules at STP. The diameter of N2 and O2 is about 3 × 10−10 mConsider an ideal gas at pressure P, volume V and temperature T. The mean free path for molecules of the gas is L. If the radius of gas molecules, as well as pressure, volume and temperature of the gas are doubled, then the mean free path will be:Mean free path of molecules of a gas is inversely proportional to ______.Calculate the ratio of the mean free paths of the molecules of two gases having molecular diameters 1 A and 2 A. The gases may be considered under identical conditions of temperature, pressure and volume.Ten small planes are flying at a speed of 150 km/h in total darkness in an air space that is 20 × 20 × 1.5 km3 in volume. You are in one of the planes, flying at random within this space with no way of knowing where the other planes are. On the average about how long a time will elapse between near collision with your plane. Assume for this rough computation that a saftey region around the plane can be approximated by a sphere of radius 10 m.
Question Bank with Solutions
Maharashtra State Board Question Bank with Solutions (Official)
Textbook Solutions
Balbharati Solutions (Maharashtra)
Samacheer Kalvi Solutions (Tamil Nadu)
NCERT Solutions
RD Sharma Solutions
RD Sharma Class 10 Solutions
RD Sharma Class 9 Solutions
Lakhmir Singh Solutions
TS Grewal Solutions
ICSE Class 10 Solutions
Selina ICSE Concise Solutions
Frank ICSE Solutions
ML Aggarwal Solutions
NCERT Solutions
NCERT Solutions for Class 12 Maths
NCERT Solutions for Class 12 Physics
NCERT Solutions for Class 12 Chemistry
NCERT Solutions for Class 12 Biology
NCERT Solutions for Class 11 Maths
NCERT Solutions for Class 11 Physics
NCERT Solutions for Class 11 Chemistry
NCERT Solutions for Class 11 Biology
NCERT Solutions for Class 10 Maths
NCERT Solutions for Class 10 Science
NCERT Solutions for Class 9 Maths
NCERT Solutions for Class 9 Science
Board / University Study Material
CBSE Study Material
Maharashtra State Board Study Material
Tamil Nadu State Board Study Material
CISCE ICSE / ISC Study Material
Mumbai University Engineering Study Material
Question Paper Solutions
CBSE Previous Year Question Papers With Solutions for Class 12 Arts
CBSE Previous Year Question Papers With Solutions for Class 12 Commerce
CBSE Previous Year Question Papers With Solutions for Class 12 Science
CBSE Previous Year Question Papers With Solutions for Class 10
Maharashtra State Board Previous Year Question Papers With Solutions for Class 12 Arts
Maharashtra State Board Previous Year Question Papers With Solutions for Class 12 Commerce
Maharashtra State Board Previous Year Question Papers With Solutions for Class 12 Science
Maharashtra State Board Previous Year Question Papers With Solutions for Class 10
CISCE ICSE / ISC Board Previous Year Question Papers With Solutions for Class 12 Arts
CISCE ICSE / ISC Board Previous Year Question Papers With Solutions for Class 12 Commerce
CISCE ICSE / ISC Board Previous Year Question Papers With Solutions for Class 12 Science
CISCE ICSE / ISC Board Previous Year Question Papers With Solutions for Class 10
Other Resources
Entrance Exams
Video Tutorials
Question Papers
Question Bank Solutions
Question Search (beta)
Privacy Policy
Terms and Conditions
Contact Us
About Us
Shaalaa App
Ad-free Subscriptions
© 2025 Shaalaa.com | Contact Us | Privacy Policy
Share
0
0
0
0
0
Notifications
Select a course
Englishहिंदीमराठी
Create free account
Course
HSC Science Class 11 Tamil Nadu Board of Secondary Education
Home
Class 1 - 4
Class 5 - 8
Class 9 - 10
Class 11 - 12
Entrance Exams
Search by Text or Image
Textbook Solutions
Study Material
Remove All Ads
Change mode
Log out
Use app× |
190143 | https://engineering.stackexchange.com/questions/63139/how-to-calculate-the-forces-on-a-steel-cable | structural engineering - How to calculate the forces on a steel cable - Engineering Stack Exchange
Join Engineering
By clicking “Sign up”, you agree to our terms of service and acknowledge you have read our privacy policy.
Sign up with Google
OR
Email
Password
Sign up
Already have an account? Log in
Skip to main content
Stack Exchange Network
Stack Exchange network consists of 183 Q&A communities including Stack Overflow, the largest, most trusted online community for developers to learn, share their knowledge, and build their careers.
Visit Stack Exchange
Loading…
Tour Start here for a quick overview of the site
Help Center Detailed answers to any questions you might have
Meta Discuss the workings and policies of this site
About Us Learn more about Stack Overflow the company, and our products
current community
Engineering helpchat
Engineering Meta
your communities
Sign up or log in to customize your list.
more stack exchange communities
company blog
Log in
Sign up
Engineering
Home
Questions
Unanswered
AI Assist Labs
Tags
Chat
Users
Teams
Ask questions, find answers and collaborate at work with Stack Overflow for Teams.
Try Teams for freeExplore Teams
3. Teams
4. Ask questions, find answers and collaborate at work with Stack Overflow for Teams. Explore Teams
Teams
Q&A for work
Connect and share knowledge within a single location that is structured and easy to search.
Learn more about Teams
Hang on, you can't upvote just yet.
You'll need to complete a few actions and gain 15 reputation points before being able to upvote. Upvoting indicates when questions and answers are useful. What's reputation and how do I get it?
Instead, you can save this post to reference later.
Save this post for later Not now
Thanks for your vote!
You now have 5 free votes weekly.
Free votes
count toward the total vote score
does not give reputation to the author
Continue to help good content that is interesting, well-researched, and useful, rise to the top! To gain full voting privileges, earn reputation.
Got it!Go to help center to learn more
How to calculate the forces on a steel cable
Ask Question
Asked 4 months ago
Modified4 months ago
Viewed 88 times
This question shows research effort; it is useful and clear
0
Save this question.
Show activity on this post.
A steel cable is mounted to two rigid supports, 12 meters apart. One support is 5 meters higher than the other, so the cable is inclined about 22.6 degrees from horizontal. Let's call that angle θ θ and say the cable is tensioned with a force of F T F T.
Let's assume the weight of the cable is negligible compared to the rest of the forces involved. So far, the forces on each of the two cable supports should be F x=F T c o s(θ)/2 F x=F T c o s(θ)/2 and F y=F T s i n(θ)/2 F y=F T s i n(θ)/2, with only the directions changing, correct?
If a load is fixed to an arbitrary point along the cable, let's say 1/3 of the way (4 meters horizontal distance from the leftmost support), how can I calculate the way the load force transfers onto the two support points?
Going further, in order to estimate the expected amount of cable sag for a given load, what parameters do I need to know for the cable I'm using, and how would this be calculated?
structural-engineering
forces
Share
Share a link to this question
Copy linkCC BY-SA 4.0
Improve this question
Follow
Follow this question to receive notifications
asked May 16 at 22:33
jamesjames
103 2 2 bronze badges
6
1 The forces on each support are incorrect. The pre tension F T F T is developed in the entire cable.Eric –Eric 2025-05-16 23:44:46 +00:00 Commented May 16 at 23:44
1 Furthermore, the last two questions are really apart of the same question. The deflection becomes the key to determine the tensions,. The force distribution is not independent of the deflection. It doesn't seem trivial to me as a physics problem( I'm inclined to use spring models over a continuous beam model ). I'll try to think about it, but someone probably has experience with it.Eric –Eric 2025-05-17 00:09:01 +00:00 Commented May 17 at 0:09
1 I want to add that also the deflection is dependent on the pre-tension (as far as I can see). It seems quite coupled to me.Eric –Eric 2025-05-17 00:18:24 +00:00 Commented May 17 at 0:18
2 The parameters you need are E and A (but beware that EA for a cable is not the same as for the material itself). The forces are solved using a force triangle at the point of application of the load, and will be iterative, that is as the cable deflects the geometry will change and hence the force triangle will change. If you don't understand this you need a textbook, not a textbox.Greg Locock –Greg Locock 2025-05-17 00:44:14 +00:00 Commented May 17 at 0:44
Hi Greg, thanks for your comment. I am asking here to get a starting point for understanding and further investigation. If this site were to be only for professional engineers, there wouldn't be much point, would there? Anyway, if you have a textbook to recommend I will happily take a look at it.james –james 2025-05-17 15:37:37 +00:00 Commented May 17 at 15:37
|Show 1 more comment
1 Answer 1
Sorted by: Reset to default
This answer is useful
1
Save this answer.
Show activity on this post.
This is a nontrivial question.
Your assumption for T x=1/2 F t c o s α T x=1/2 F t c o s α is not right. Both supports have F x=F t c o s(α)F x=F t c o s(α)
Steps for a Calculation (Elastic Cable):
Define Knowns:
Geometry: L=12 L=12 m, H=5 H=5 m, L 1=4 L 1=4 m.
Load: W W.
Cable properties: E E, A A.
Initial condition: Initial tension F T F T (which gives an initial strain and thus an initial unstretched length S u n s t r e t c h e d=S c h o r d/(1+F T/(E A))S u n s t r e t c h e d=S c h o r d/(1+F T/(E A)) where S c h o r d=13 S c h o r d=13 m) $.
The Unknown: The vertical position of the load point, y P y P (or the sag s=(L 1 tan θ)−y P s=(L 1 tanθ)−y P).
L segments:
Geometric lengths of segments as a function of y P y P: S 1(y P)=L 2 1+y 2 P−−−−−−−√S 1(y P)=L 1 2+y P 2 S 2(y P)=(L−L 1)2+(H−y P)2−−−−−−−−−−−−−−−−−−√S 2(y P)=(L−L 1)2+(H−y P)2
Equilibrium equations at the load point P (solving for T 1 T 1 and T 2 T 2 in terms of W W and y P y P): T 1(y P)L 1 S 1(y P)=T 2(y P)L−L 1 S 2(y P)T 1(y P)L 1 S 1(y P)=T 2(y P)L−L 1 S 2(y P)T 1(y P)y P S 1(y P)+T 2(y P)H−y P S 2(y P)=W T 1(y P)y P S 1(y P)+T 2(y P)H−y P S 2(y P)=W (Solve these for T 1(y P)T 1(y P) and T 2(y P)T 2(y P)).
Elastic compatibility equation (relating sagged lengths, tensions, and unstretched length): S u n s t r e t c h e d=S 1(y P)1+T 1(y P)E A+S 2(y P)1+T 2(y P)E A S u n s t r e t c h e d=S 1(y P)1+T 1(y P)E A+S 2(y P)1+T 2(y P)E A Or, if working with elongations: S 1(y P)+S 2(y P)=S u n s t r e t c h e d(1+some effective average tension E A)S 1(y P)+S 2(y P)=S u n s t r e t c h e d(1+some effective average tension E A) -- this is less direct. The compatibility equation S 1(y P)(1−T 1(y P)E A)+S 2(y P)(1−T 2(y P)E A)=S u n s t r e t c h e d S 1(y P)(1−T 1(y P)E A)+S 2(y P)(1−T 2(y P)E A)=S u n s t r e t c h e d (if S 1,S 2 S 1,S 2 are current lengths and S u n s t r e t c h e d S u n s t r e t c h e d is the total) is also an option, or more accurately: S u n s t r e t c h e d,s e g m e n t 1+S u n s t r e t c h e d,s e g m e n t 2=S u n s t r e t c h e d,t o t a l S u n s t r e t c h e d,s e g m e n t 1+S u n s t r e t c h e d,s e g m e n t 2=S u n s t r e t c h e d,t o t a l S 1(y P)=S u n s t r e t c h e d,s e g m e n t 1(1+T 1(y P)/E A)S 1(y P)=S u n s t r e t c h e d,s e g m e n t 1(1+T 1(y P)/E A)S 2(y P)=S u n s t r e t c h e d,s e g m e n t 2(1+T 2(y P)/E A)S 2(y P)=S u n s t r e t c h e d,s e g m e n t 2(1+T 2(y P)/E A)
The partitioning of S u n s t r e t c h e d,t o t a l S u n s t r e t c h e d,t o t a l into S u n s t r e t c h e d,s e g m e n t 1 S u n s t r e t c h e d,s e g m e n t 1 and S u n s t r e t c h e d,s e g m e n t 2 S u n s t r e t c h e d,s e g m e n t 2 is also initially unknown and depends on the final configuration.
The most straightforward compatibility equation is usually the current total stretched length S 1(y P)+S 2(y P),S 1(y P)+S 2(y P),is the result of stretching the original total unstretched length S u n s t r e t c h e d S u n s t r e t c h e d by the work done by the tensions.
It is often written as:The unstretched length S u n s t r e t c h e d S u n s t r e t c h e d must equal the sum of the "relaxed" lengths of the two segments:
S u n s t r e t c h e d=S 1(y P)−T 1(y P)S 1(y P)E A+S 2(y P)−T 2(y P)S 2(y P)E A S u n s t r e t c h e d=S 1(y P)−T 1(y P)S 1(y P)E A+S 2(y P)−T 2(y P)S 2(y P)E A
This simplifies to:S u n s t r e t c h e d=S 1(y P)(1−T 1(y P)E A)+S 2(y P)(1−T 2(y P)E A)S u n s t r e t c h e d=S 1(y P)(1−T 1(y P)E A)+S 2(y P)(1−T 2(y P)E A)
Correction to the above compatibility equation based on standard definition (L=L 0(1+T/E A)L=L 0(1+T/E A)):
The initial unstretched length is S 0 S 0. The current length S i S i of a segment under tension T i T i is S i=S 0,i(1+T i/(E A))S i=S 0,i(1+T i/(E A)). So S 0,i=S i/(1+T i/(E A))S 0,i=S i/(1+T i/(E A)).
Therefore, the total initial unstretched length S u n s t r e t c h e d S u n s t r e t c h e d is: S u n s t r e t c h e d=S 1(y P)1+T 1(y P)E A+S 2(y P)1+T 2(y P)E A S u n s t r e t c h e d=S 1(y P)1+T 1(y P)E A+S 2(y P)1+T 2(y P)E A This is the equation you need to solve for y P y P.
Solve for y P y P: This equation is non-linear and typically requires numerical methods.
Calculate Sag: s=(L 1 tan θ)−y P=(4⋅5/12)−y P=(5/3)−y P s=(L 1 tanθ)−y P=(4⋅5/12)−y P=(5/3)−y P.
Calculate Final Tensions and Support Reactions: Once y P y P is known, find T 1 T 1 and T 2 T 2 from the equilibrium equations, and then the support reactions.
This is a non-trivial problem, usually solved by structural analysis programs.
Share
Share a link to this answer
Copy linkCC BY-SA 4.0
Improve this answer
Follow
Follow this answer to receive notifications
answered May 17 at 2:52
kamrankamran
23.8k 2 2 gold badges 22 22 silver badges 42 42 bronze badges
2
I very much appreciate your time and effort in explaining this. I think the cable elongation can be considered negligible, which helps to simplify things a bit. I will have to revisit and study this more later. For now though, a simple question. I think of F T F T as the force that I would apply to tension the cable. Let's say I apply 1 kN of force from one end of the cable using a tensioner/turnbuckle. Would the force I applied not be evenly divided between the two support points, so 500 N per support point? I am asking to correct any misunderstandings I might have here.james –james 2025-05-17 15:45:40 +00:00 Commented May 17 at 15:45
1 @james, no, imagine the cable is is being tensioned by attaching it at one end to a spring. If you draw the Freebody diagram for each end you find out the tension in the cable is equal to reaction at each support. Same as the game of tug of war: the tension in the rope is equal to force at each end. BTW if we assume there is no elongation, we can immediately get the reaction treating the cable as a beam.kamran –kamran 2025-05-17 19:45:01 +00:00 Commented May 17 at 19:45
Add a comment|
Your Answer
Thanks for contributing an answer to Engineering Stack Exchange!
Please be sure to answer the question. Provide details and share your research!
But avoid …
Asking for help, clarification, or responding to other answers.
Making statements based on opinion; back them up with references or personal experience.
Use MathJax to format equations. MathJax reference.
To learn more, see our tips on writing great answers.
Draft saved
Draft discarded
Sign up or log in
Sign up using Google
Sign up using Email and Password
Submit
Post as a guest
Name
Email
Required, but never shown
Post Your Answer Discard
By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.
Start asking to get answers
Find the answer to your question by asking.
Ask question
Explore related questions
structural-engineering
forces
See similar questions with these tags.
The Overflow Blog
The history and future of software development (part 1)
Getting Backstage in front of a shifting dev experience
Featured on Meta
Spevacus has joined us as a Community Manager
Introducing a new proactive anti-spam measure
Report this ad
Related
2How is prestressing with losses self-balanced?
0Concept on two-force member
2Why doesn't prestressed concrete crack at the top before the load is applied?
0Reaction forces on a three support continuous beam with two of them requiring compatibility equations. Superposition method done wrong!
1Tension cable underneath rafter tie?
1Very confused as how to calculate the degree of static indeterminacy of trussed beam
0Is the bearing end of a beam under compression?
Hot Network Questions
Is there a way to defend from Spot kick?
Numbers Interpreted in Smallest Valid Base
Riffle a list of binary functions into list of arguments to produce a result
Vampires defend Earth from Aliens
Gluteus medius inactivity while riding
Where is the first repetition in the cumulative hierarchy up to elementary equivalence?
I have a lot of PTO to take, which will make the deadline impossible
Does the curvature engine's wake really last forever?
Does the mind blank spell prevent someone from creating a simulacrum of a creature using wish?
How to start explorer with C: drive selected and shown in folder list?
What's the expectation around asking to be invited to invitation-only workshops?
Transforming wavefunction from energy basis to annihilation operator basis for quantum harmonic oscillator
With with auto-generated local variables
How to home-make rubber feet stoppers for table legs?
Calculating the node voltage
Can a cleric gain the intended benefit from the Extra Spell feat?
What is a "non-reversible filter"?
Do sum of natural numbers and sum of their squares represent uniquely the summands?
Languages in the former Yugoslavia
Is it possible that heinous sins result in a hellish life as a person, NOT always animal birth?
Can peaty/boggy/wet/soggy/marshy ground be solid enough to support several tonnes of foot traffic per minute but NOT support a road?
Direct train from Rotterdam to Lille Europe
Xubuntu 24.04 - Libreoffice
Is encrypting the login keyring necessary if you have full disk encryption?
Question feed
Subscribe to RSS
Question feed
To subscribe to this RSS feed, copy and paste this URL into your RSS reader.
Why are you flagging this comment?
It contains harassment, bigotry or abuse.
This comment attacks a person or group. Learn more in our Code of Conduct.
It's unfriendly or unkind.
This comment is rude or condescending. Learn more in our Code of Conduct.
Not needed.
This comment is not relevant to the post.
Enter at least 6 characters
Something else.
A problem not listed above. Try to be as specific as possible.
Enter at least 6 characters
Flag comment Cancel
You have 0 flags left today
Engineering
Tour
Help
Chat
Contact
Feedback
Company
Stack Overflow
Teams
Advertising
Talent
About
Press
Legal
Privacy Policy
Terms of Service
Your Privacy Choices
Cookie Policy
Stack Exchange Network
Technology
Culture & recreation
Life & arts
Science
Professional
Business
API
Data
Blog
Facebook
Twitter
LinkedIn
Instagram
Site design / logo © 2025 Stack Exchange Inc; user contributions licensed under CC BY-SA. rev 2025.9.26.34547
By clicking “Accept all cookies”, you agree Stack Exchange can store cookies on your device and disclose information in accordance with our Cookie Policy.
Accept all cookies Necessary cookies only
Customize settings
Cookie Consent Preference Center
When you visit any of our websites, it may store or retrieve information on your browser, mostly in the form of cookies. This information might be about you, your preferences, or your device and is mostly used to make the site work as you expect it to. The information does not usually directly identify you, but it can give you a more personalized experience. Because we respect your right to privacy, you can choose not to allow some types of cookies. Click on the different category headings to find out more and manage your preferences. Please note, blocking some types of cookies may impact your experience of the site and the services we are able to offer.
Cookie Policy
Accept all cookies
Manage Consent Preferences
Strictly Necessary Cookies
Always Active
These cookies are necessary for the website to function and cannot be switched off in our systems. They are usually only set in response to actions made by you which amount to a request for services, such as setting your privacy preferences, logging in or filling in forms. You can set your browser to block or alert you about these cookies, but some parts of the site will not then work. These cookies do not store any personally identifiable information.
Cookies Details
Performance Cookies
[x] Performance Cookies
These cookies allow us to count visits and traffic sources so we can measure and improve the performance of our site. They help us to know which pages are the most and least popular and see how visitors move around the site. All information these cookies collect is aggregated and therefore anonymous. If you do not allow these cookies we will not know when you have visited our site, and will not be able to monitor its performance.
Cookies Details
Functional Cookies
[x] Functional Cookies
These cookies enable the website to provide enhanced functionality and personalisation. They may be set by us or by third party providers whose services we have added to our pages. If you do not allow these cookies then some or all of these services may not function properly.
Cookies Details
Targeting Cookies
[x] Targeting Cookies
These cookies are used to make advertising messages more relevant to you and may be set through our site by us or by our advertising partners. They may be used to build a profile of your interests and show you relevant advertising on our site or on other sites. They do not store directly personal information, but are based on uniquely identifying your browser and internet device.
Cookies Details
Cookie List
Clear
[x] checkbox label label
Apply Cancel
Consent Leg.Interest
[x] checkbox label label
[x] checkbox label label
[x] checkbox label label
Necessary cookies only Confirm my choices |
190144 | https://math.libretexts.org/Courses/Northeast_Wisconsin_Technical_College/College_Algebra_(NWTC)/05%3A_Exponential_and_Logarithmic_Functions/5.03%3A_Exponential_Equations_and_Inequalities | 5.3: Exponential Equations and Inequalities - Mathematics LibreTexts
Skip to main content
Table of Contents menu
search Search build_circle Toolbar fact_check Homework cancel Exit Reader Mode
school Campus Bookshelves
menu_book Bookshelves
perm_media Learning Objects
login Login
how_to_reg Request Instructor Account
hub Instructor Commons
Search
Search this book
Submit Search
x
Text Color
Reset
Bright Blues Gray Inverted
Text Size
Reset
+-
Margin Size
Reset
+-
Font Type
Enable Dyslexic Font - [x]
Downloads expand_more
Download Page (PDF)
Download Full Book (PDF)
Resources expand_more
Periodic Table
Physics Constants
Scientific Calculator
Reference expand_more
Reference & Cite
Tools expand_more
Help expand_more
Get Help
Feedback
Readability
x
selected template will load here
Error
This action is not available.
chrome_reader_mode Enter Reader Mode
5: Exponential and Logarithmic Functions
College Algebra (NWTC)
{ }
{ "5.01:_Introduction_to_Exponential_and_Logarithmic_Functions" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "5.02:_Properties_of_Logarithms" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "5.03:_Exponential_Equations_and_Inequalities" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "5.04:_Logarithmic_Equations_and_Inequalities" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "5.05:_Applications_of_Exponential_and_Logarithmic_Functions" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1" }
{ "00:_Front_Matter" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "01:_Functions" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "02:_Linear_Functions" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "03:_Polynomial_Functions" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "04:_Rational_and_Radical_Functions" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "05:_Exponential_and_Logarithmic_Functions" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "06:_Conic_Sections" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "07:_Systems" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1", "zz:_Back_Matter" : "property get Map MindTouch.Deki.Logic.ExtensionProcessorQueryProvider+<>c__DisplayClass230_0.b__1" }
Tue, 09 May 2023 23:46:51 GMT
5.3: Exponential Equations and Inequalities
127040
127040
Joshua Halpern
{ }
Anonymous
Anonymous
2
false
false
[ "article:topic", "authorname:stitzzeager", "license:ccbyncsa", "showtoc:no", "source-math-4005", "licenseversion:30", "source@ "source-math-80789" ]
[ "article:topic", "authorname:stitzzeager", "license:ccbyncsa", "showtoc:no", "source-math-4005", "licenseversion:30", "source@ "source-math-80789" ]
Search site Search Search Go back to previous article
Sign in
Username Password Sign in
Sign in
Sign in
Forgot password
Expand/collapse global hierarchy
1. Home
2. Campus Bookshelves
3. Northeast Wisconsin Technical College
4. College Algebra (NWTC)
5. 5: Exponential and Logarithmic Functions
6. 5.3: Exponential Equations and Inequalities
Expand/collapse global location
5.3: Exponential Equations and Inequalities
Last updated May 9, 2023
Save as PDF
5.2: Properties of Logarithms
5.4: Logarithmic Equations and Inequalities
Page ID 127040
Carl Stitz & Jeff Zeager
Lakeland Community College & Lorain County Community College
( \newcommand{\kernel}{\mathrm{null}\,})
Table of contents
1. Example 6.3.1.
2. Example 6.3.2
3. Example 6.3.3
4. Example 6.3.4
5. 6.3.1. Exercises
6. 6.3.2. Answers
7. Reference
In this section we will develop techniques for solving equations involving exponential functions. Suppose, for instance, we wanted to solve the equation 2 x=128. After a moment’s calculation, we find 128=2 7, so we have 2 x=2 7. The one-to-one property of exponential functions, detailed in Theorem 6.4, tells us that 2 x=2 7 if and only if x=7. This means that not only is x=7 a solution to 2 x=2 7, it is the only solution. Now suppose we change the problem ever so slightly to 2 x=129. We could use one of the inverse properties of exponentials and logarithms listed in Theorem 6.3 to write 129=2 log 2(129). We’d then have 2 x=2 log 2(129), which means our solution is x=log 2(129). This makes sense because, after all, the definition of log 2(129) is ‘the exponent we put on 2 to get 129.’ Indeed we could have obtained this solution directly by rewriting the equation 2 x=129 in its logarithmic form log 2(129)=x. Either way, in order to get a reasonable decimal approximation to this number, we’d use the change of base formula, Theorem 6.7, to give us something more calculator friendly,1 say log 2(129)=ln(129)ln(2). Another way to arrive at this answer is as follows
2 x=129 ln(2 x)=ln(129)Take the natural log of both sides.xln(2)=ln(129)Power Rule x=ln(129)ln(2)
‘Taking the natural log’ of both sides is akin to squaring both sides: since f(x)=ln(x) is a function, as long as two quantities are equal, their natural logs are equal.2 Also note that we treat ln(2) as any other non-zero real number and divide it through3 to isolate the variable x. We summarize below the two common ways to solve exponential equations, motivated by our examples.
Steps for Solving an Equation involving Exponential Functions
Isolate the exponential function.
If convenient, express both sides with a common base and equate the exponents.
Otherwise, take the natural log of both sides of the equation and use the Power Rule.
Example 6.3.1.
Solve the following equations. Check your answer graphically using a calculator.
2 3x=16 1−x
2000=1000⋅3−0.1t
9⋅3 x=7 2x
75=100 1+3e−2t
25 x=5 x+6
e x−e−x 2=5
Solution.
Since 16 is a power of 2, we can rewrite 2 3x=16 1−x as 2 3x=(2 4)1−x. Using properties of exponents, we get 2 3x=2 4(1−x). Using the one-to-one property of exponential functions, we get 3x=4(1−x) which gives x=4 7. To check graphically, we set f(x)=2 3x and g(x)=16 1−x and see that they intersect at x=4 7≈0.5714.
We begin solving 2000=1000⋅3−0.1t by dividing both sides by 1000 to isolate the exponential which yields 3−0.1t=2. Since it is inconvenient to write 2 as a power of 3, we use the natural log to get ln(3−0.1t)=ln(2). Using the Power Rule, we get −0.1tln(3)=ln(2), so we divide both sides by −0.1ln(3) to get t=−ln(2)0.1ln(3)=−10ln(2)ln(3). On the calculator, we graph f(x)=2000 and g(x)=1000⋅3−0.1x and find that they intersect at x=−10ln(2)ln(3)≈−6.3093.
We first note that we can rewrite the equation 9⋅3 x=7 2x as 3 2⋅3 x=7 2x to obtain 3 x+2=7 2x. Since it is not convenient to express both sides as a power of 3 (or 7 for that matter) we use the natural log: ln(3 x+2)=ln(7 2x). The power rule gives (x+2)ln(3)=2xln(7). Even though this equation appears very complicated, keep in mind that ln(3) and ln(7) are just constants. The equation (x+2)ln(3)=2xln(7) is actually a linear equation and as such we gather all of the terms with x on one side, and the constants on the other. We then divide both sides by the coefficient of x, which we obtain by factoring.
(x+2)ln(3)=2xln(7)xln(3)+2ln(3)=2xln(7)2ln(3)=2xln(7)−xln(3)2ln(3)=x(2ln(7)−ln(3))Factor.x=2ln(3)2ln(7)−ln(3)
Graphing f(x)=9⋅3 x and g(x)=7 2x on the calculator, we see that these two graphs intersect at x=2ln(3)2ln(7)−ln(3)≈0.7866.
Our objective in solving 75=100 1+3e−2t is to first isolate the exponential. To that end, we clear denominators and get 75(1+3e−2t)=100. From this we get 75+225e−2t=100, which leads to 225e−2t=25, and finally, e−2t=1 9. Taking the natural log of both sides gives ln(e−2t)=ln(1 9). Since natural log is log base e, ln(e−2t)=−2t. We can also use the Power Rule to write ln(1 9)=−ln(9). Putting these two steps together, we simplify ln(e−2t)=ln(1 9) to −2t=−ln(9). We arrive at our solution, t=ln(9)2 which simplifies to t=ln(3). (Can you explain why?) The calculator confirms the graphs of f(x)=75 and g(x)=100 1+3e−2x intersect at x=ln(3)≈1.099.
We start solving 25 x=5 x+6 by rewriting 25=5 2 so that we have (5 2)x=5 x+6, or 5 2x=5 x+6. Even though we have a common base, having two terms on the right hand side of the equation foils our plan of equating exponents or taking logs. If we stare at this long enough, we notice that we have three terms with the exponent on one term exactly twice that of another. To our surprise and delight, we have a ‘quadratic in disguise’. Letting u=5 x, we have u 2=(5 x)2=5 2x so the equation 5 2x=5 x+6 becomes u 2=u+6. Solving this as u 2−u−6=0 gives u=−2 or u=3. Since u=5 x, we have 5 x=−2 or 5 x=3. Since 5 x=−2 has no real solution, (Why not?) we focus on 5 x=3. Since it isn’t convenient to express 3 as a power of 5, we take natural logs and get ln(5 x)=ln(3) so that xln(5)=ln(3) or x=ln(3)ln(5). On the calculator, we see the graphs of f(x)=25 x and g(x)=5 x+6 intersect at x=ln(3)ln(5)≈0.6826.
At first, it’s unclear how to proceed with e x−e−x 2=5, besides clearing the denominator to obtain e x−e−x=10. Of course, if we rewrite e−x=1 e x, we see we have another denominator lurking in the problem: e x−1 e x=10. Clearing this denominator gives us e 2x−1=10e x, and once again, we have an equation with three terms where the exponent on one term is exactly twice that of another - a ‘quadratic in disguise.’ If we let u=e x, then u 2=e 2x so the equation e 2x−1=10e x can be viewed as u 2−1=10u. Solving u 2−10u−1=0, we obtain by the quadratic formula u=5±26. From this, we have e x=5±26. Since 5−26<0, we get no real solution to e x=5−26, but for e x=5+26, we take natural logs to obtain x=ln(5+26). If we graph f(x)=e x−e−x 2 and g(x)=5, we see that the graphs intersect at x=ln(5+26)≈2.312
The authors would be remiss not to mention that Example 6.3.1 still holds great educational value. Much can be learned about logarithms and exponentials by verifying the solutions obtained in Example 6.3.1 analytically. For example, to verify our solution to 2000=1000⋅3−0.1t, we substitute t=−10ln(2)ln(3) and obtain
2000=?1000⋅3−0.1(−10ln(2)ln(3))2000=?1000⋅3 ln(2)ln(3)2000=?1000⋅3 log 3(2)Change of Base 2000=?1000⋅2 Inverse Property 2000=✓2000
The other solutions can be verified by using a combination of log and inverse properties. Some fall out quite quickly, while others are more involved. We leave them to the reader.
Since exponential functions are continuous on their domains, the Intermediate Value Theorem 3.1 applies. As with the algebraic functions in Section 5.3, this allows us to solve inequalities using sign diagrams as demonstrated below.
Example 6.3.2
Solve the following inequalities. Check your answer graphically using a calculator.
2 x 2−3x−16≥0
e x e x−4≤3
xe 2x<4x
Solution.
Since we already have 0 on one side of the inequality, we set r(x)=2 x 2−3x−16. The domain of r is all real numbers, so in order to construct our sign diagram, we need to find the zeros of r. Setting r(x)=0 gives 2 x 2−3x−16=0 or 2 x 2−3x=16. Since 16=2 4 we have 2 x 2−3x=2 4, so by the one-to-one property of exponential functions, x 2−3x=4. Solving x 2−3x−4=0 gives x=4 and x=−1. From the sign diagram, we see r(x)≥0 on (−∞,−1]∪[4,∞), which corresponds to where the graph of y=r(x)=2 x 2−3x−16, is on or above the x-axis.
The first step we need to take to solve e x e x−4≤3 is to get 0 on one side of the inequality. To that end, we subtract 3 from both sides and get a common denominator
e x e x−4≤3 e x e x−4−3≤0 e x e x−4−3(e x−4)e x−4≤0 Common denomintors.12−2e x e x−4≤0
We set r(x)=12−2e x e x−4 and we note that r is undefined when its denominator e x−4=0, or when e x=4. Solving this gives x=ln(4), so the domain of r is (−∞,ln(4))∪(ln(4),∞). To find the zeros of r, we solve r(x)=0 and obtain 12−2e x=0. Solving for e x, we find e x=6, or x=ln(6). When we build our sign diagram, finding test values may be a little tricky since we need to check values around ln(4) and ln(6). Recall that the function ln(x) is increasing4 which means ln(3)<ln(4)<ln(5)<ln(6)<ln(7). While the prospect of determining the sign of r(ln(3)) may be very unsettling, remember that e ln(3)=3, so r(ln(3))=12−2e ln(3)e ln(3)−4=12−2(3)3−4=−6 We determine the signs of r(ln(5)) and r(ln(7)) similarly.5 From the sign diagram, we find our answer to be (−∞,ln(4))∪[ln(6),∞). Using the calculator, we see the graph of f(x)=e x e x−4 is below the graph of g(x)=3 on (−∞,ln(4))∪(ln(6),∞), and they intersect at x=ln(6)≈1.792.
As before, we start solving xe 2x<4x by getting 0 on one side of the inequality, xe 2x−4x<0. We set r(x)=xe 2x−4x and since there are no denominators, even-indexed radicals, or logs, the domain of r is all real numbers. Setting r(x)=0 produces xe 2x−4x=0. We factor to get x(e 2x−4)=0 which gives x=0 or e 2x−4=0. To solve the latter, we isolate the exponential and take logs to get 2x=ln(4), or x=ln(4)2=ln(2). (Can you explain the last equality using properties of logs?) As in the previous example, we need to be careful about choosing test values. Since ln(1)=0, we choose ln(1 2), ln(3 2) and ln(3). Evaluating,6 we get
r(ln(1 2))=ln(1 2)e 2ln(1 2)−4ln(1 2)=ln(1 2)e ln(1 2)2−4ln(1 2)Power Rule=ln(1 2)e ln(1 4)−4ln(1 2)=1 4ln(1 2)−4ln(1 2)=−15 4ln(1 2)
Since 1 2<1, ln(1 2)<0 and we get r(ln(1 2)) is (+), so r(x)<0 on (0,ln(2)). The calculator confirms that the graph of f(x)=xe 2x is below the graph of g(x)=4x on these intervals.7
Example 6.3.3
Recall from Example 6.1.2 that the temperature of coffee T (in degrees Fahrenheit) t minutes after it is served can be modeled by T(t)=70+90e−0.1t. When will the coffee be warmer than 100∘F?
Solution
We need to find when T(t)>100, or in other words, we need to solve the inequality 70+90e−0.1t>100. Getting 0 on one side of the inequality, we have 90e−0.1t−30>0, and we set r(t)=90e−0.1t−30. The domain of r is artificially restricted due to the context of the problem to [0,∞), so we proceed to find the zeros of r. Solving 90e−0.1t−30=0 results in e−0.1t=1 3 so that t=−10ln(1 3) which, after a quick application of the Power Rule leaves us with t=10ln(3). If we wish to avoid using the calculator to choose test values, we note that since 1<3, 0=ln(1)0. So we choose t=0 as a test value in [0,10ln(3)). Since 3<4, 10ln(3)<10ln(4), so the latter is our choice of a test value for the interval (10ln(3),∞). Our sign diagram is below, and next to it is our graph of y=T(t) from Example 6.1.2 with the horizontal line y=100.
In order to interpret what this means in the context of the real world, we need a reasonable approximation of the number 10ln(3)≈10.986. This means it takes approximately 11 minutes for the coffee to cool to 100∘F. Until then, the coffee is warmer than that.8
We close this section by finding the inverse of a function which is a composition of a rational function with an exponential function.
Example 6.3.4
The function f(x)=5e x e x+1 is one-to-one. Find a formula for f−1(x) and check your answer graphically using your calculator.
Solution
We start by writing y=f(x), and interchange the roles of x and y. To solve for y, we first clear denominators and then isolate the exponential function.
y=5e x e x+1[12pt]x=5e y e y+1 Switch x and y[12pt]x(e y+1)=5e y xe y+x=5e y x=5e y−xe y x=e y(5−x)e y=x 5−x ln(e y)=ln(x 5−x)y=ln(x 5−x)
We claim f−1(x)=ln(x 5−x). To verify this analytically, we would need to verify the compositions (f−1∘f)(x)=x for all x in the domain of f and that (f∘f−1)(x)=x for all x in the domain of f−1. We leave this to the reader. To verify our solution graphically, we graph y=f(x)=5e x e x+1 and y=g(x)=ln(x 5−x) on the same set of axes and observe the symmetry about the line y=x. Note the domain of f is the range of g and vice-versa.
6.3.1. Exercises
In Exercises 1 - 33, solve the equation analytically.
2 4x=8[expeqnfirst]
3(x−1)=27
5 2x−1=125
4 2x=1 2
8 x=1 128
2(x 3−x)=1
3 7x=81 4−2x
9⋅3 7x=(1 9)2x
3 2x=5
5−x=2
5 x=−2
3(x−1)=29
(1.005)12x=3
e−5730k=1 2
2000e 0.1t=4000
500(1−e 2x)=250
70+90e−0.1t=75
30−6e−0.1x=20
100e x e x+2=50
5000 1+2e−3t=2500
150 1+29e−0.8t=75
25(4 5)x=10
e 2x=2e x
7e 2x=28e−6x
3(x−1)=2 x
3(x−1)=(1 2)(x+5)
7 3+7x=3 4−2x
e 2x−3e x−10=0
e 2x=e x+6
4 x+2 x=12
e x−3e−x=2
e x+15e−x=8
3 x+25⋅3−x=10[expeqnlast]
In Exercises 34 - 39, solve the inequality analytically.
e x>53[expineqfirst]
1000(1.005)12t≥3000
2(x 3−x)<1
25(4 5)x≥10
150 1+29e−0.8t≤130
150 1+29 e−0.8 t 70+90e−0.1t≤75[expineqlast]
In Exercises 40 - 45, use your calculator to help you solve the equation or inequality.
2 x=x 2[calcexpineqfirst]
e x=ln(x)+5
e x=x+1
e−x−xe−x≥0
3(x−1)<2 x
e x<x 3−x[calcexpineqlast]
[onetoonelogexercise] Since f(x)=ln(x) is a strictly increasing function, if 0<a<b then ln(a)6 without a sign diagram. Use this technique to solve the inequalities in Exercises 34 - 39. (NOTE: Isolate the exponential function first!)
[hyperbolicsine] Compute the inverse of f(x)=e x−e−x 2. State the domain and range of both f and f−1.
In Example 6.3.4, we found that the inverse of f(x)=5e x e x+1 was f−1(x)=ln(x 5−x) but we left a few loose ends for you to tie up.
Show that (f−1∘f)(x)=x for all x in the domain of f and that (f∘f−1)(x)=x for all x in the domain of f−1.
Find the range of f by finding the domain of f−1.
Let g(x)=5x x+1 and h(x)=e x. Show that f=g∘h and that (g∘h)−1=h−1∘g−1. (We know this is true in general by Exercise 31 in Section 5.2, but it’s nice to see a specific example of the property.)
With the help of your classmates, solve the inequality e x>x n for a variety of natural numbers n. What might you conjecture about the “speed” at which f(x)=e x grows versus any polynomial?
6.3.2. Answers
x=3 4
x=4
x=2
x=−1 4
x=−7 3
x=−1,0,1
x=16 15
x=−2 11
x=ln(5)2ln(3)
x=−ln(2)ln(5)
No solution.
x=ln(29)+ln(3)ln(3)
x=ln(3)12ln(1.005)
k=ln(1 2)−5730=ln(2)5730
t=ln(2)0.1=10ln(2)
x=1 2ln(1 2)=−1 2ln(2)
t=ln(1 18)−0.1=10ln(18)
x=−10ln(5 3)=10ln(3 5)
x=ln(2)
t=1 3ln(2)
t=ln(1 29)−0.8=5 4ln(29)
x=ln(2 5)ln(4 5)=ln(2)−ln(5)ln(4)−ln(5)
x=ln(2)
x=−1 8ln(1 4)=1 4ln(2)
x=ln(3)ln(3)−ln(2)
x=ln(3)+5ln(1 2)ln(3)−ln(1 2)=ln(3)−5ln(2)ln(3)+ln(2)
x=4ln(3)−3ln(7)7ln(7)+2ln(3)
x=ln(5)
x=ln(3)
x=ln(3)ln(2)
x=ln(3)
x=ln(3), ln(5)
x=ln(5)ln(3)
(ln(53),∞)
[ln(3)12ln(1.005),∞)
(−∞,−1)∪(0,1)
(−∞,ln(2 5)ln(4 5)]=(−∞,ln(2)−ln(5)ln(4)−ln(5)]
(−∞,ln(2 377)−0.8]=(−∞,5 4ln(377 2)]
[ln(1 18)−0.1,∞)=[10ln(18),∞)
x≈−0.76666,x=2,x=4
x≈0.01866,x≈1.7115
x=0
(−∞,1]
≈(−∞,2.7095)
≈(2.3217,4.3717)
x>1 3(ln(6)+1)
f−1=ln(x+x 2+1). Both f and f−1 have domain (−∞,∞) and range (−∞,∞).
Reference
1 You can use natural logs or common logs. We choose natural logs. (In Calculus, you’ll learn these are the most ‘mathy’ of the logarithms.)
2 This is also the ‘if’ part of the statement log b(u)=log b(w) if and only if u=w in Theorem 6.4.
3 Please resist the temptation to divide both sides by ‘ln’ instead of ln(2). Just like it wouldn’t make sense to divide both sides by the square root symbol ‘′ when solving x2=5, it makes no sense to divide by ‘ln’.
4 This is because the base of ln(x) is e>1. If the base b were in the interval 0<b<1, then log b(x) would decreasing.
5 We could, of course, use the calculator, but what fun would that be?
6 A calculator can be used at this point. As usual, we proceed without apologies, with the analytical method.
7 Note: ln(2)≈0.693.
8 Critics may point out that since we needed to use the calculator to interpret our answer anyway, why not use it earlier to simplify the computations? It is a fair question which we answer unfairly: it’s our book
This page titled 5.3: Exponential Equations and Inequalities is shared under a CC BY-NC-SA 3.0 license and was authored, remixed, and/or curated by Carl Stitz & Jeff Zeager via source content that was edited to the style and standards of the LibreTexts platform.
Back to top
5.2: Properties of Logarithms
5.4: Logarithmic Equations and Inequalities
Was this article helpful?
Yes
No
Recommended articles
6.3: Exponential Equations and InequalitiesWe now turn our attention to equations and inequalities involving logarithmic functions, and not surprisingly, there are several strategies to choose ...
6.3: Exponential Equations and InequalitiesThis section explains how to solve exponential equations and inequalities. It covers techniques such as rewriting the equations with a common base and...
6.3: Exponential Equations and InequalitiesWe now turn our attention to equations and inequalities involving logarithmic functions, and not surprisingly, there are several strategies to choose ...
6.3: Exponential Equations and InequalitiesWe now turn our attention to equations and inequalities involving logarithmic functions, and not surprisingly, there are several strategies to choose ...
6.3: Exponential Equations and InequalitiesWe now turn our attention to equations and inequalities involving logarithmic functions, and not surprisingly, there are several strategies to choose ...
Article typeSection or PageAuthorCarl Stitz & Jeff ZeagerLicenseCC BY-NC-SALicense Version3.0Show Page TOCno
Tags
source-math-4005
source-math-80789
source@
© Copyright 2025 Mathematics LibreTexts
Powered by CXone Expert ®
?
The LibreTexts libraries arePowered by NICE CXone Expertand are supported by the Department of Education Open Textbook Pilot Project, the UC Davis Office of the Provost, the UC Davis Library, the California State University Affordable Learning Solutions Program, and Merlot. We also acknowledge previous National Science Foundation support under grant numbers 1246120, 1525057, and 1413739. Privacy Policy. Terms & Conditions. Accessibility Statement.For more information contact us atinfo@libretexts.org.
Support Center
How can we help?
Contact Support Search the Insight Knowledge Base Check System Status×
contents readability resources tools
☰ |
190145 | https://pmc.ncbi.nlm.nih.gov/articles/PMC8773483/ | A Rapid Method for Postmortem Vitreous Chemistry—Deadside Analysis - PMC
Skip to main content
An official website of the United States government
Here's how you know
Here's how you know
Official websites use .gov
A .gov website belongs to an official government organization in the United States.
Secure .gov websites use HTTPS
A lock ( ) or https:// means you've safely connected to the .gov website. Share sensitive information only on official, secure websites.
Search
Log in
Dashboard
Publications
Account settings
Log out
Search… Search NCBI
Primary site navigation
Search
Logged in as:
Dashboard
Publications
Account settings
Log in
Search PMC Full-Text Archive
Search in PMC
Advanced Search
Journal List
User Guide
New Try this search in PMC Beta Search
View on publisher site
Download PDF
Add to Collections
Cite
Permalink PERMALINK
Copy
As a library, NLM provides access to scientific literature. Inclusion in an NLM database does not imply endorsement of, or agreement with, the contents by NLM or the National Institutes of Health.
Learn more: PMC Disclaimer | PMC Copyright Notice
Biomolecules
. 2021 Dec 27;12(1):32. doi: 10.3390/biom12010032
Search in PMC
Search in PubMed
View in NLM Catalog
Add to search
A Rapid Method for Postmortem Vitreous Chemistry—Deadside Analysis
Brita Zilg
Brita Zilg
1 Forensic Research Laboratory, Department of Oncology-Pathology, Karolinska Institute, 171 77 Stockholm, Sweden; brita.zilg@ki.se (B.Z.); kanar.alkass@ki.se (K.A.)
Find articles by Brita Zilg
1, Kanar Alkass
Kanar Alkass
1 Forensic Research Laboratory, Department of Oncology-Pathology, Karolinska Institute, 171 77 Stockholm, Sweden; brita.zilg@ki.se (B.Z.); kanar.alkass@ki.se (K.A.)
Find articles by Kanar Alkass
1, Robert Kronstrand
Robert Kronstrand
2 Department of Forensic Genetics and Forensic Toxicology, National Board of Forensic Medicine, 587 58 Linkoping, Sweden; robert.kronstrand@rmv.se
Find articles by Robert Kronstrand
2, Sören Berg
Sören Berg
3 Division of Clinical Chemistry and Pharmacology, Department of Biomedical and Clinical Science, Faculty of Medicine and Health Science, Linköping University, 581 85 Linkoping, Sweden; soren.berg@liu.se
Find articles by Sören Berg
3, Henrik Druid
Henrik Druid
1 Forensic Research Laboratory, Department of Oncology-Pathology, Karolinska Institute, 171 77 Stockholm, Sweden; brita.zilg@ki.se (B.Z.); kanar.alkass@ki.se (K.A.)
Find articles by Henrik Druid
1,
Editors: Nina Heldring, Brita Zilg
Author information
Article notes
Copyright and License information
1 Forensic Research Laboratory, Department of Oncology-Pathology, Karolinska Institute, 171 77 Stockholm, Sweden; brita.zilg@ki.se (B.Z.); kanar.alkass@ki.se (K.A.)
2 Department of Forensic Genetics and Forensic Toxicology, National Board of Forensic Medicine, 587 58 Linkoping, Sweden; robert.kronstrand@rmv.se
3 Division of Clinical Chemistry and Pharmacology, Department of Biomedical and Clinical Science, Faculty of Medicine and Health Science, Linköping University, 581 85 Linkoping, Sweden; soren.berg@liu.se
Correspondence: henrik.druid@ki.se; Tel.: +46-70-602-7141
Roles
Nina Heldring: Academic Editor
Brita Zilg: Academic Editor
Received 2021 Dec 1; Accepted 2021 Dec 23; Collection date 2022 Jan.
© 2021 by the authors.
Licensee MDPI, Basel, Switzerland. This article is an open access article distributed under the terms and conditions of the Creative Commons Attribution (CC BY) license (
PMC Copyright notice
PMCID: PMC8773483 PMID: 35053180
Abstract
Vitreous fluid is commonly collected for toxicological analysis during forensic postmortem investigations. Vitreous fluid is also often analyzed for potassium, sodium, chloride and glucose for estimation of time since death, and for the evaluation of electrolyte imbalances and hyperglycemia, respectively. Obtaining such results in the early phase of a death investigation is desirable both in regard to assisting the police and in the decision-making prior to the autopsy. We analyzed vitreous fluid with blood gas instruments to evaluate/examine the possible impact of different sampling and pre-analytical treatment. We found that samples from the right and left eye, the center of the eye as well as whole vitreous samples gave similar results. We also found imprecision to be very low and that centrifugation and dilution were not necessary when analyzing vitreous samples with blood gas instruments. Similar results were obtained when analyzing the same samples with a regular multi-analysis instrument, but we found that such instruments could require dilution of samples with high viscosity, and that such dilution might impact measurement accuracy. In conclusion, using a blood gas instrument, the analysis of postmortem vitreous fluid for electrolytes and glucose without sample pretreatment produces rapid and reliable results.
Keywords: vitreous, postmortem, glucose, electrolytes, forensic medicine
1. Introduction
Autopsy has long been considered the gold standard in reaching a diagnosis when a person has died of uncertain causes. While this is still true regarding a large number of illnesses that are visible macroscopically or microscopically, there are many serious medical conditions that may escape detection. The major drawback is that autopsy diagnostics are traditionally based on morphology. Although computer tomography and magnetic resonance imaging has been introduced in the routine casework at many forensic medicine facilities in the last few decades, these radiological methods can also only provide structural information. Forensic toxicology is the only exception from the tradition of morphological diagnostics, which allows for the detection and quantification of alcohol and drugs by means of chemical analysis. With the help of postmortem reference concentrations, the pathologist may be able to diagnose, or rule out, an intoxication as the cause of death . Toxicology was most likely introduced because intoxication does not usually cause any visible morphological signs/traces at autopsy.
Chemical analyses of postmortem samples today are not limited to toxicology; analysis of endogenous biomolecules in postmortem samples can also be used to identify pathologies. For instance, an increase in glial fibrillary acidic protein or neurofilament light protein in cerebrospinal fluid or serum can indicate brain injury and increased troponin T may be used as an indicator of myocardial infarction. Negative results can be equally important in the evaluation of the possible causes of death in the early stages of the investigation. Pioneering work in this field was performed by Coe [4,5] and over several decades, postmortem biochemistry has become increasingly appreciated as an asset in forensic pathology casework . Most research in this field has explored the changes in various analytes in serum, pericardial fluid, cerebrospinal fluid, and vitreous fluid. The problem with postmortem serum is that it usually shows substantial hemolysis, which may interfere with, or even preclude, some analyses. In contrast, vitreous fluid is a transparent fluid with a very low amount of cells, at least during the early postmortem interval. It is also easily accessible before autopsy by a puncture at the lateral aspect of the eyeball. Hyperglycemia can be clearly identified by analyzing vitreous fluid glucose levels [7,8], whilst vitreous potassium levels can provide an estimate of the postmortem interval [9,10,11,12] and levels of sodium and chloride can reveal dehydration or water intoxication [13,14].
In hospitals, rapid analyses often form the basis for treatment measures in an emergency setting, whereas it is generally believed that urgent actions are not needed when a person dies. However, many biochemical changes start to occur during the agonal stages of death and the early postmortem interval. Glucose and oxygen are consumed until the cells die, and many cell functions, including membrane pumps which require energy, will fail as the ATP levels drop, at which stage an uncontrolled diffusion of ions and molecules flow in both directions. Therefore, postmortem biochemistry is easier to interpret if samples are collected as soon as possible after death. Early sampling and analysis are also important for the postmortem workup since results obtained in the early stages can form the basis for important decisions regarding how to proceed with the case examination and any additional sampling and analysis which may be warranted, just like in the emergency room. Even the police may want certain information urgently, such as an estimate of the time of death, and this can be reported quickly based on an analysis of vitreous potassium. We have used blood gas instruments to analyze postmortem vitreous fluid for 20 years and have reported our experience of using such analyses for the diagnosis of hyperglycemia, sodium and chloride imbalances and for the estimation of the postmortem interval by analysis of vitreous potassium [8,11,14]. There are also numerous other publications on these subjects, however the authors have usually sent samples to a clinical chemistry laboratory for analysis. The interpretation of vitreous chemistry results has been a matter of discussion; in particular, concerns have been raised regarding the possible influence of factors such as centrifugation, dilution and storage of the samples [15,16,17,18]. The possible impact of differences in concentrations between the eyes has also been an issue . Even though it has been observed in forensic toxicology that the pre-analytical factors are much more important than the errors introduced during sample extraction and analysis —which is most likely true for most biochemical analysis—it is important to understand the imprecision of point-of-care instruments, such as blood gas instruments. Hence, in this study, we aimed to investigate the reliability of blood gas instruments with regard to the results for potassium, sodium, chloride and glucose, in comparison with results obtained by analysis at external laboratories. We also studied the possible impact of sampling technique and the pretreatment/handling of the samples before analysis.
2. Materials and Methods
2.1. Sample Collection
Our standard procedure for collecting vitreous fluid is to puncture the lateral aspect of the eye and withdraw a 0.25 mL sample from the center of the vitreous compartment, using a 16-gauge needle into a 1 mL or 10 mL syringe. The tip of the needle is then typically visible through the pupil. For the current study, all of the vitreous fluid was collected, unless otherwise specified. The vitreous fluid is viscous, and becomes more liquefied with age . However, even in younger subjects, it is possible to collect virtually all of the vitreous fluid if needed by using the procedure described above. For some of the analyses, the vitreous fluid was injected directly from the syringe by which the sample was collected. For test tube samples, the fluid was aspirated by the instrument.
2.2. Analytical Principles of Blood Gas Instruments
The blood gas instruments used for this study were ABL700, ABL835 and ABL90 flex (all from Radiometer Copenhagen, Brønshøj, Denmark). Each of these instruments is able to determine levels of Na+, Cl−, K+, Ca++, glucose, lactate, pH, pCO 2, pO 2, total Hb and specific forms of Hb (i.e., COHb, MetHb, O 2 Hb, HHb, HbF and SHb). For this project, the concentrations of potassium, sodium, chloride and glucose were measured. The analysis of these parameters was performed by sensor units with selective permeable membranes. The sensor units employ two different measuring principles, potentiometry for electrolytes and amperometry for glucose and lactate. For electrolyte measurements, the sensing element is an ion-selective sensor with a membrane with a specific ion carrier (potassium and chloride) or an ion-selective ceramic pin (sodium). The concentration of glucose was measured using an amperometric method. The sensor has a silver cathode and a platinum anode in contact with an electrolyte solution.
2.3. Precision Test of the Blood Gas Instrument
Prefabricated test solutions (Radiometer, Copenhagen) of glucose 4.4, 11.1 and 15.7 mmol/L and potassium 4.3 mmol/L were used, and additionally, solutions containing 10 and 30 mmol/L of potassium were prepared. The samples were measured using the ABL90 flex blood gas instrument (Radiometer Copenhagen). Samples of glucose and potassium with three different concentrations were aliquoted and analyzed eight times on one day (within-series imprecision) and one time on eight different days (between-series imprecision).
2.4. Comparison Different Instruments
Whole vitreous samples were collected from 50 consecutive postmortem cases. The samples were centrifuged and then divided into three aliquots. One sample was sent to an external lab (Aleris Medilab, Stockholm, Sweden) and was analyzed with a Beckman Coulter AU5800 instrument. There the samples were diluted 1:2 with water. Samples which had a potassium concentration exceeding the measuring range were diluted 1:4. Another aliquot was sent to a different external lab and analyzed with an inductively coupled plasma-mass spectrometry (ICP-MS) instrument at ALS Scandinavia, Luleå, Sweden (at the time of the study, it was named ALS Global). The third aliquot was analyzed undiluted with two blood gas instruments, ABL700 and ABL90 flex (Radiometer, Copenhagen).
2.5. Influence of Cells and Centrifugation
To investigate if cells present in whole vitreous samples affect the measurements of the electrolyte concentrations, 22 whole vitreous samples were studied. Each sample was vortexed for one minute. Then, 0.2 mL was aspirated and measured without further treatment using an ABL 835 blood gas instrument, and 0.015 mL was taken for cell counting. The remaining fluid was centrifuged for 10 min at 1900× g. The supernatant was collected until 0.2 mL of fluid remained in the tube. The pellet was vortexed again for one minute and then sonicated (Bransonic 12, Branson Ultrasonic Corporation, Danbury, CT, USA) for two hours. The samples from the supernatant and the pellet were also measured using the blood gas instrument. For the staining of cells, 0.015 mL of the sample was briefly vortexed with 0.015 mL of Trypan Blue (0.4%, Sigma Aldrich, Stockholm, Sweden, filtered and diluted 1:10). After 10 min of incubation, the fluid was filled into a Bürker chamber. The cells of several squares (0.1 mm 3 each) were counted. The cell count was calculated using the following formula: counted cells × dilution factor × 10,000/number of C-squares = cells/mL. From this collection of samples, two groups of 6–8 samples with cell numbers >100,000 or <20,000 cells/mL were analyzed with ABL835.
2.6. Comparison of Undiluted and Diluted Samples
Whole vitreous fluid from 29 postmortem cases was sampled with a 16-gauge needle and a 1 mL syringe. A 0.2 mL portion was injected directly into the ABL700 and 0.2 mL was diluted with 0.2 mL of DDH 2 O water and vortexed. The samples were analyzed with an ABL700 blood gas instrument.
2.7. Impact of Hyaluronidase and Hyaluronic Acid
Vitreous fluid was collected from eight postmortem cases. Each sample was vortexed and 1 mL was aliquoted to each of three Eppendorf tubes. The content in one tube was untreated. To the second tube, 100 μL of distilled water was added and 100 μL of hyaluronidase was added to the third tube (Sigma, 50 mg/mL). All samples were well vortexed and incubated for 1 h at room temperature before analysis. To mimic the impact of a high concentration of hyaluronic acid, sodium hyaluronate (Hyalgan, Takeda Pharma, Stockholm, Sweden, 10 mg/mL) was added to duplicates of a prepared NaCl solution at increasing volumes.
2.8. Differences between Whole Vitreous and Sample from the Centre of the Vitreous
Vitreous samples from 27 postmortem cases were collected with a 16-gauge needle and a 10 mL syringe. The whole vitreous was withdrawn from the right eye. To this end, the needle usually had to be moved around to different positions within the vitreous compartment to enable complete sampling, and more than 2 mL could be obtained in most cases. Only 0.25 mL was aspirated from the left eye from the center of the vitreous; the tip of the needle was typically visible through the pupil. Both samples were measured immediately with an ABL 835 blood gas instrument using the 0.095 mL program. In addition to electrolytes and glucose, lactate concentrations were also registered.
2.9. Comparison of Samples Collected from the Left and Right Eye
In 16 postmortem cases, 0.25 mL of vitreous fluid was sampled from the center of each eye with a 16-gauge needle and a 1 mL syringe. Fluid was taken from the right and left eye in separate syringes and analyzed immediately with an ABL700 blood gas instrument.
2.10. Effect of Spiking of Vitreous Samples
In 33 postmortem cases, analysis was directly performed on an ABL700 blood gas instrument, and 0.3 mL of the remaining vitreous sample was transferred to an Eppendorf tube. A solution containing K, Na, Cl and glucose in the concentration of 70, 350, 420 and 160 mmol/L was made, and 30 μL of this solution was added to the aliquots of the vitreous samples. The results were compared with the calculated increase in concentrations of the solutes.
2.11. Effect of Delayed Analysis
Vitreous fluid from 13 cases was sampled with a 16-gauge needle and a 10 mL syringe. The samples were analyzed with an ABL90 blood gas instrument directly after sampling, without vortexing. The remaining portion of the samples were then stored in a refrigerator and analyzed again one or several days later, after being vortexed for 1 min. This test aimed to reflect the situation in practice; ideally the samples are analyzed immediately after collection, but occasionally, the analysis cannot be done until a few days later for various reasons.
2.12. Statistical Methods
The Mann–Whitney U-test was used for comparison between groups. ANOVA was used for comparisons between multiple groups. The association between variables was analyzed with linear regression. A p< 0.05 was considered statistically significant. All statistical analyses were performed with SPSS v. 25 (SPSS Inc., Chicago, IL, USA).
3. Results
3.1. Imprecision of the Blood Gas Instrument
Table 1 shows the within-series and between-series imprecision. The CV% for the within-series imprecision was very low, and was maximally 3.24% between-series for the analysis of 10.0 mmol/L potassium. Please note that the calibration interval of the instrument was 1–25 mmol/L for potassium, and high precision was still obtained for the 30 mmol/L solution. For potassium, almost all within-series measurements showed the same concentration for each test solution.
Table 1.
Within-series and between-series imprecision of ABL90 flex instrument.
| Within-Series Imprecision | Between-Series Imprecision |
:---: |
| | Glucose | Potassium | | Glucose | Potassium |
| | Solution 1 4.4 mmol/L | Solution 2 11.1 mmol/L | Solution 3 15.7 mmol/L | Solution 2 4.3 mmol/L | 10 mmol/L | 30 mmol/L | | Solution 1 4.4 mmol/L | Solution 2 11.1 mmol/L | Solution 3 15.7 mmol/L | Solution 2 4.3 mmol/L | 10 mmol/L | 30 mmol/L |
| Mean | 4.26 | 10.55 | 15.13 | 4.40 | 10.00 | 29.96 | Mean | 4.26 | 10.61 | 15.23 | 4.41 | 9.75 | 29.49 |
| SD | 0.07 | 0.09 | 0.15 | 0.00 | 0.00 | 0.07 | SD | 0.07 | 0.23 | 0.31 | 0.04 | 0.32 | 0.55 |
| CV% | 1.75 | 0.88 | 0.98 | 0.00 | 0.00 | 0.25 | CV% | 1.75 | 2.16 | 2.01 | 0.80 | 3.24 | 1.87 |
| Bias% | −3.85 | −4.81 | −3.86 | 2.33 | 0.00 | −0.12 | Bias% | −3.85 | −4.25 | −3.23 | 2.62 | −2.50 | −1.71 |
Open in a new tab
3.2. Comparison between Different Analytical Instruments
In Figure 1, Figure 2, Figure 3 and Figure 4 the results obtained with the ABL90 flex and other instruments are shown. Almost identical results were obtained with the ABL 90 flex and ABL700 (Figure 1). Analysis with a Beckman Coulter AU5800 showed significantly (p< 0.001) higher sodium concentrations (Figure 2), but very similar potassium and chloride concentrations. ICP-MS analysis showed consistently lower sodium concentrations compared with the ABL 700 (p = 0.002), ABL90 flex (p< 0.001) and Beckman Coulter AU5800 (p< 0.001) and also higher chloride concentrations than the ABL90 flex (p< 0.019) and Beckman Coulter AU5800 (p = 0.007) (Figure 3 and Figure 4). Up to about 20 mmol/L, the ICP-MS showed similar potassium concentrations as the ABL 90 flex and Beckman Coulter AU5800, but showed an upward deviation at higher potassium levels.
Figure 1.
Open in a new tab
Comparison results using ABL90 flex and ABL700.
Figure 2.
Open in a new tab
Comparison of ABL90 flex and Beckman Coulter AU5800.
Figure 3.
Open in a new tab
Comparison of ABL90 flex and ICP-MS.
Figure 4.
Open in a new tab
Comparison of Beckman Coulter AU5800 and ICP-MS.
3.3. Influence of Cells/Centrifugation
Two groups of samples with >100,000 and <20,000 cells/mL were analyzed; the median was 1,097,500 and 5000 cells/mL for the group with a high and low cell-count number, respectively. Table 2 shows the means and the standard deviations of the electrolytes for each group of samples. There were no significant differences in electrolyte concentrations between untreated samples, and supernatant and pellets of the centrifuged samples in either group (Mann–Whitney U-test). The higher levels of potassium and lower levels of sodium and chloride in the group with the high cell number reflect the longer postmortem interval in this group, which is why more desquamated cells were found.
Table 2.
Impact of cells and centrifugation. Means and standard deviations of the concentrations of potassium, sodium and chloride.
| | Cell Number (Cells/mL) | Untreated (mmol/L) | Supernatant (mmol/L) | Pellet (mmol/L) |
:---: :---:
| K+ | >100,000 (n = 6) | 19.8 ± 3.8 | 19.9 ± 3.7 | 19.8 ± 3.4 |
| | <20,000 (n = 7) | 16.9 ± 3.5 | 17.0 ± 3.5 | 17.2 ± 3.6 |
| Na+ | >100,000 (n = 8) | 120.8 ± 13.1 | 122 ± 12.9 | 123 ± 12.7 |
| | <20,000 (n = 7) | 129.1 ± 8.7 | 130 ± 9.0 | 132 ± 9.1 |
| Cl− | >100,000 (n = 8) | 104 ± 10.9 | 104 ± 11.2 | 109 ± 13.2 |
| | <20,000 (n = 7) | 111 ± 10.8 | 111 ± 11.1 | 114 ± 11.1 |
Open in a new tab
3.4. Comparison of Undiluted and Diluted Samples
Figure 5 shows undiluted vitreous samples compared with samples that were diluted 1:2 with distilled water. Dilution seems to have no impact on potassium or glucose, whereas sodium and chloride show slightly lower values than expected when diluted. Please note that the diluted concentrations for sodium and chloride are below the calibration range of the ABL700 instrument.
Figure 5.
Open in a new tab
Comparison of undiluted and diluted samples, n = 29.
3.5. Hyaluronan, Hyaluronidas
Almost identical results were obtained for potassium, sodium and chloride when adding hyaluronidase or distilled water (Table 3a). When corrected for the dilution factor, these results were very similar to the analyzed results of the untreated sample. The addition of sodium hyaluronate to water solutions of these electrolytes caused a gradual increase in the concentrations of sodium and chloride, which was proportional to the content in the added hyaluronate (dissolved in 145 mmol/L NaCl) (Table 3b), whereas potassium showed the same values as the samples with the addition of distilled water.
Table 3.
Effect of addition of (a) hyaluronidase to postmortem vitreous samples and (b) sodium hyaluronate to water solutions of electrolytes.
(a)
Case #Sample + DDH 2 OConcentration RatiosCase #Sample + HyaluronidaseConcentration Ratios
K+Na+Cl−K+ RatioNa+ RatioCl− RatioK+Na+Cl−K+ RatioNa+ RatioCl− Ratio
1 11 130 107 0.92 0.92 0.93 1 10.9 129 106 0.92 0.91 0.92
2 11.6 130 96 0.94 0.93 0.92 2 11.6 129 96 0.94 0.92 0.92
3 7.8 127 110 0.93 0.92 0.92 3 7.8 127 110 0.93 0.92 0.92
4 13 122 107 0.92 0.91 0.91 4 13.1 122 107 0.93 0.91 0.91
5 10.6 119 106 0.92 0.92 0.93 5 10.5 118 105 0.91 0.91 0.92
6 11.9 126 111 0.92 0.91 0.92 6 11.9 126 111 0.92 0.91 0.92
7 16.3 122 105 0.93 0.92 0.92 7 16.3 122 106 0.93 0.92 0.93
8 21.1 95 77 0.92 0.91 0.92 8 21 95 77 0.92 0.91 0.92
(b)
1 mL solution +K+Na+Cl−Na+ CorrCl− Corr
10 µL DDH 2 O 9.7 110 113 111 114
10 µL DDH 2 O 9.7 110 113 111 114
20 µL DDH 2 O 9.6 109 112 111 114
20 µL DDH 2 O 9.6 108 112 110 114
50 µL DDH 2 O 9.4 105 109 110 114
50 µL DDH 2 O 9.4 105 109 110 114
100 µL DDH 2 O 9.0 101 104 111 114
100 µL DDH 2 O 8.9 100 104 110 114
10 µL hyaluronate 9.7 111 115 112 116
10 µL hyaluronate 9.7 111 115 112 116
20 µL hyaluronate 9.7 112 115 114 117
20 µL hyaluronate 9.7 112 115 114 117
50 µL hyaluronate 9.4 113 116 119 122
50 µL hyaluronate 9.4 113 116 119 122
100 µL hyaluronate 9.1 115 117 127 129
100 µL hyaluronate 9.0 115 117 127 129
Open in a new tab
3.6. Differences between Whole Vitreous Fluid and Vitreous from the Center of the Eye
The analytical results based on the 0.25 mL sample collected from the left eye and the whole vitreous sample collected from the right eye are shown in Figure 6. There was a close correlation (r 2 = 0.97–1.00, slope 1.03–1.09) for potassium, chloride and glucose, whereas sodium levels were somewhat more dispersed (r 2 = 0.86, slope 0.86). No significant differences between the central sample and the whole vitreous sample were seen with regards to electrolyte concentrations, glucose or lactate (ANOVA and Mann–Whitney U-test, p> 0.05). Since it is known that lactate increases in vitreous fluid with PMI [8,20], and that postmortem diffusion might cause an uneven distribution, we included lactate levels in this comparison but found no difference in concentrations between the central sample and whole vitreous sample.
Figure 6.
Open in a new tab
Comparison of whole and central vitreous.
3.7. Comparison of Samples Taken from the Left and Right Eye
The results of whole vitreous samples collected from the right and left eye correlated well (Figure 7). Linear regression showed r 2 of 0.95–0.99 with a slope coefficient of 0.93–1.02. There were no significant differences in the concentration of any of the solutes between the two groups of samples (Mann–Whitney U-test, p> 0.05).
Figure 7.
Open in a new tab
Comparison of samples taken from center of the right and left eye, n = 16.
3.8. Spike Test
In Figure 8, the effects of spiking postmortem vitreous samples with electrolytes and glucose are shown. At higher concentrations, the measured sodium and chloride concentrations showed a trend towards higher values than the calculated concentration. However, as can be seen in the Bland–Altman plots, there was only little overall bias between the measured and calculated values for each of the analytes.
Figure 8.
Open in a new tab
Comparison of actual concentration and calculated concentration (vitreous + spike).
3.9. Comparison of Vortexed and Unvortexed Samples
Figure 9 shows the results for vitreous samples that were analyzed immediately after sampling, unvortexed, and for samples that were analyzed one or several days later after being vortexed. Neither the delay in analysis nor vortexing had any effect on the measurements of glucose or any of the electrolytes.
Figure 9.
Open in a new tab
Comparison of samples not vortexed (day 1) and vortexed (day 2), n = 13.
4. Discussion
Given that it is well understood that a postmortem investigation benefits from relevant medical information in the early stages in supporting decision-making during, or even before an autopsy, it is remarkable that rapid biochemical analysis is not applied more often in routine forensic casework. Such “deadside” analysis can be regarded as being as important as bedside analysis in the clinical setting. Already in 1966, Reh reported a rapid method for the detection of diabetic coma by analyzing glucose in cerebrospinal fluid with an enzymatic method . Zugibe (1966) similarly analyzed sodium and potassium in samples from cases of acute myocardial infarction using flame photometry and found that the sodium/potassium ratio was increased . Despite such possible use of in-house, simple analysis of electrolytes and glucose, forensic medical facilities tend to rely on the services of local clinical chemistry laboratories. This is most likely based on the assumption that results from such laboratories are more reliable, given that their methodology is used extensively to analyze samples from living patients.
In this study, we investigated the feasibility of analyzing postmortem vitreous fluid with a blood gas instrument and we conducted several tests and comparisons to validate this strategy as a proof of concept. We showed that the imprecision of the ABL 90 flex instrument was very low for glucose and potassium (Table 1). Indeed, the CV% for potassium was no higher than 3.24, and this was for only one of the concentrations in the between-series study. Vitreous potassium is used extensively for estimating the postmortem interval (PMI), particularly when the true interval is so long that the classical methods used in the early phase no longer work. If we assume the measuring error to be 4%, i.e., a value of 12.5 mmol/L is obtained rather than 12.0, then the estimated PMI using the equations of Zilg et al. , Madea et al. , Sturner and Gantner and Bortolotti et al. would be 40.9, 34.8, 50.2 and 58.8 h, respectively, instead of 37.8, 32.2, 46.6 and 55.9 h, respectively. This example shows that the difference in results of these and many other equations surpass the analytical error. At very long postmortem intervals, the effect becomes even more pronounced.
We also showed that two blood gas instruments, the ABL90 flex (a simple instrument with cassette system) and a regular instrument, the ABL700, produced indistinguishable results in a large set of postmortem vitreous samples (Figure 1). When comparing the results of the ABL90 flex and Beckman Coulter AU5800, the latter instrument reported higher sodium values, but similar potassium and chloride results. The ICP-MS instrument used by ALS Global also provided similar potassium values, but generally lower potassium and higher chloride values. ICP-MS and atomic absorption spectrophotometry is supposed to provide the “true” numbers of atoms , but this is not necessarily what we want to know. Rather, we want to know whether a test result can be compared with established reference levels for a certain method. If there is an understanding of what the deviations mean, such a method should be feasible for clinical practice as well as in postmortem casework. By and large, both the blood gas instruments and the Beckman Coulter provided similar results, and we have previously shown the feasibility of the blood gas instrument readings of electrolytes and glucose in postmortem casework [8,11,14]. The difference between the ABL90 flex and Beckman Coulter AU5800 regarding sodium was statistically significant, but since the difference is not large, neither numerically or in terms of percentage, the interpretation of dehydration (or overhydration) will not be affected.
At longer PMIs, the vitreous fluid volume is reduced due to evaporation, and the fluid gradually shows an increasingly grey-brown tinge due to increased amounts of cells and cell debris, prompting other researchers in this field to centrifuge the samples to obtain a more transparent fluid for analysis. Thus, the question is if the cells present in the fluid retain a higher content of potassium, and lower content of sodium and chloride than the extracellular fluid. We therefore analyzed untreated vitreous fluid samples, and compared these with the supernatant and pellet after centrifugation. We found that there was no difference in concentrations in these three aliquots (Table 2), implying that the ion concentrations had equilibrated before the cells had detached.
Whenever high concentrations are found, and exceed the calibration range for a method, the standard procedure is to dilute the sample appropriately to obtain a concentration that matches the measuring range. Hence, we investigated the effect of a relevant dilution of the samples and found that the results were not much affected (Figure 5). While the potassium levels were not affected, there was a reduction in both the sodium and chloride levels. The most likely explanation for this is that dilution causes a reduction in the concentration levels, which are below the calibration range for sodium and chloride, but within the calibration range for potassium.
Concerns have been raised as to the possible impact of the viscosity of vitreous fluid on the accuracy of the analytical results. Blana et al. reported that heat and hyaluronidase treatment of vitreous samples resulted in a slight increase and decrease, respectively, of measured electrolyte concentrations. We also investigated the possible impact of hyaluronidase treatment on electrolyte results, and found no differences compared to the results of untreated samples. Further, we studied the possible effect of the addition of hyaluronidase to water solutions of sodium and chloride, but found no influence on the analytical results, even at hyaluronidase concentrations that exceed those that are present in the vitreous fluid of phakic eyes .
Regarding the collection of vitreous fluid, we collected a small amount, approximately 0.25 mL, from each eye, which was pooled in the same syringe in order to still retain sufficient fluid for toxicological analysis. However, most other investigators have used whole vitreous samples for analysis. Given that the diffusion of ions and other solutes from the retinal cells after death may produce different concentrations in the central and peripheral compartments of the vitreous, we compared the results of analysis of samples collected from the central vitreous with the results of analysis of the whole vitreous. Figure 7 shows that almost the same concentrations of electrolytes was found in both samples.
Furthermore, we tested whether spiking authentical postmortem samples with electrolytes and glucose would produce results that correlated with mathematical calculations. Figure 8 shows that the results did not deviate much, implying that the matrix effects of hyaluronic acid and other molecules prevalent in the vitreous do not have any substantial impact on the distribution of either electrolytes or glucose.
Finally, we performed a test that should resemble the situation in practice, i.e., the possible impact of delay of analysis and sedimentation of particles in the solution. Samples that were stored in a refrigerator for one day were vortexed before analysis. We did not find any change in the concentrations of the analytes using such a practice (Figure 9). This means that though it is desirable to obtain a result as soon as possible, similar results will be obtained if the analysis is performed a day after sampling.
Today, most instruments use ion-selective electrodes for determining the concentrations of potassium, sodium and chloride. It is therefore not surprising that we observed similar results with blood gas instruments and a multi-analysis instrument that is typically used in clinical chemistry laboratories. The small difference in concentrations and any imprecision is most likely due to different lining conditions, implying that samples with higher viscosity had to be diluted to avoid clogging, and hence the concentrations measured fell short of the optimal measuring range of the analytes. Given such concerns regarding the internal conditions of laboratory instruments, it is tempting to consider simple hand-held instruments, such as an i-STAT® analyzer. Monzon et al. (2018) evaluated the feasibility of such an analyzer in regard to electrolytes and glucose in vitreous and found low imprecision. However, the calibration range for potassium was reported to be 2.0–9.0 mmol, implying that many samples would have to be diluted before analysis .
5. Conclusions
We have shown that analysis of electrolytes and glucose with blood gas instruments in postmortem samples, provides rapid and reliable results without dilution, enzymatic treatment or centrifugation. We also found no difference in the concentrations of the electrolytes or glucose in samples from the right and left eye, and the results in samples from the central part of the vitreous were the same compared to the results of whole vitreous samples. We therefore conclude that a small, pooled sample from the center of each eye is feasible for these chemical analyses, which leaves a sufficient amount of vitreous fluid for toxicological analysis.
Acknowledgments
The authors would like to acknowledge the assistance of the staff at the Swedish National Board of Forensic Medicine.
Author Contributions
H.D.: designed and supervised all parts of the study. H.D., B.Z.: writing—original draft preparation. K.A.: methodology and sampling. R.K.: validation. S.B.: data curation and statistical analysis. All authors read, contributed to, and approved the final manuscript. All authors have read and agreed to the published version of the manuscript.
Funding
Part of this work was supported by the Swedish National Board of Forensic Medicine.
Institutional Review Board Statement
All samples were collected from humans undergoing a forensic medicine examination upon the request of the police, and analysis of these samples was a part of the medico-legal investigation. All such casework is exempt from ethical review board evaluation. The European law regulating personal integrity, GDPR, excludes deceased subjects. All information was anonymized before data analysis. Ethical approval for these studies was granted by the Regional Ethics Review Board in Stockholm, No 2008/231-31/3 and 2017/1235-32.
Informed Consent Statement
Not applicable.
Data Availability Statement
All relevant data are provided in the article.
Conflicts of Interest
The authors declare no conflict of interest.
Footnotes
Publisher’s Note: MDPI stays neutral with regard to jurisdictional claims in published maps and institutional affiliations.
References
1.Druid H., Holmgren P. A compilation of fatal and control concentrations of drugs in postmortem femoral blood. J. Forensic Sci. 1997;42:79–87. doi: 10.1520/JFS14071J. [DOI] [PubMed] [Google Scholar]
2.Blennow K., Brody D.L., Kochanek P.M., Levin H., McKee A., Ribbers G.M., Yaffe K., Zetterberg H. Traumatic brain injuries. Nat. Rev. Dis. Primers. 2016;2:16084. doi: 10.1038/nrdp.2016.84. [DOI] [PubMed] [Google Scholar]
3.Martinez Diaz F., Rodriguez-Morlensin M., Perez-Carceles M.D., Noguera J., Luna A., Osuna E. Biochemical analysis and immunohistochemical determination of cardiac troponin for the postmortem diagnosis of myocardial damage. Histol. Histopathol. 2005;20:475–481. doi: 10.14670/HH-20.475. [DOI] [PubMed] [Google Scholar]
4.Coe J.I. Postmortem chemistries on human vitreous humor. Am. J. Clin. Pathol. 1969;51:741–750. doi: 10.1093/ajcp/51.6.741. [DOI] [PubMed] [Google Scholar]
5.Coe J.I. Postmortem chemistry: Practical considerations and a review of the literature. J. Forensic Sci. 1974;19:13–32. doi: 10.1520/JFS10066J. [DOI] [PubMed] [Google Scholar]
6.Palmiere C., Mangin P. Postmortem chemistry update part I. Int. J. Leg. Med. 2012;126:187–198. doi: 10.1007/s00414-011-0625-y. [DOI] [PubMed] [Google Scholar]
7.Peclet C., Picotte P., Jobin F. The use of vitreous humor levels of glucose, lactic acid and blood levels of acetone to establish antemortem hyperglycemia in diabetics. Forensic Sci. Int. 1994;65:1–6. doi: 10.1016/0379-0738(94)90293-3. [DOI] [PubMed] [Google Scholar]
8.Zilg B., Alkass K., Berg S., Druid H. Postmortem identification of hyperglycemia. Forensic Sci. Int. 2009;185:89–95. doi: 10.1016/j.forsciint.2008.12.017. [DOI] [PubMed] [Google Scholar]
9.Madea B., Henssge C. Determination of the time since death. III. Potassium in vitreous humour. Rise of precision by use of an “inner standard”. Acta Med. Leg. Soc. 1988;38:109–114. [PubMed] [Google Scholar]
10.Ortmann J., Markwerth P., Madea B. Precision of estimating the time since death by vitreous potassium-Comparison of 5 different equations. Forensic Sci. Int. 2016;269:1–7. doi: 10.1016/j.forsciint.2016.10.005. [DOI] [PubMed] [Google Scholar]
11.Zilg B., Bernard S., Alkass K., Berg S., Druid H. A new model for the estimation of time of death from vitreous potassium levels corrected for age and temperature. Forensic Sci. Int. 2015;254:158–166. doi: 10.1016/j.forsciint.2015.07.020. [DOI] [PubMed] [Google Scholar]
12.Cordeiro C., Ordonez-Mayan L., Lendoiro E., Febrero-Bande M., Vieira D.N., Munoz-Barus J.I. A reliable method for estimating the postmortem interval from the biochemistry of the vitreous humor, temperature and body weight. Forensic Sci. Int. 2019;295:157–168. doi: 10.1016/j.forsciint.2018.12.007. [DOI] [PubMed] [Google Scholar]
13.Madea B., Lachenmeier D.W. Postmortem diagnosis of hypertonic dehydration. Forensic Sci. Int. 2005;155:1–6. doi: 10.1016/j.forsciint.2004.10.014. [DOI] [PubMed] [Google Scholar]
14.Zilg B., Alkass K., Berg S., Druid H. Interpretation of postmortem vitreous concentrations of sodium and chloride. Forensic Sci. Int. 2016;263:107–113. doi: 10.1016/j.forsciint.2016.04.006. [DOI] [PubMed] [Google Scholar]
15.Belsey S.L., Flanagan R.J. Postmortem biochemistry: Current applications. J. Forensic Leg. Med. 2016;41:49–57. doi: 10.1016/j.jflm.2016.04.011. [DOI] [PubMed] [Google Scholar]
16.Blana S.A., Musshoff F., Hoeller T., Fimmers R., Madea B. Variations in vitreous humor chemical values as a result of pre-analytical treatment. Forensic Sci. Int. 2011;210:263–270. doi: 10.1016/j.forsciint.2011.03.023. [DOI] [PubMed] [Google Scholar]
17.Pigaiani N., Bertaso A., De Palo E.F., Bortolotti F., Tagliaro F. Vitreous humor endogenous compounds analysis for post-mortem forensic investigation. Forensic Sci. Int. 2020;310:110235. doi: 10.1016/j.forsciint.2020.110235. [DOI] [PubMed] [Google Scholar]
18.Thierauf A., Musshoff F., Madea B. Post-mortem biochemical investigations of vitreous humor. Forensic Sci. Int. 2009;192:78–82. doi: 10.1016/j.forsciint.2009.08.001. [DOI] [PubMed] [Google Scholar]
19.Sebag J., Ansari R.R., Dunker S., Suh K.I. Dynamic light scattering of diabetic vitreopathy. Diabetes Technol. Ther. 1999;1:169–176. doi: 10.1089/152091599317387. [DOI] [PubMed] [Google Scholar]
20.Go A., Shim G., Park J., Hwang J., Nam M., Jeong H., Chung H. Analysis of hypoxanthine and lactic acid levels in vitreous humor for the estimation of post-mortem interval (PMI) using LC-MS/MS. Forensic Sci. Int. 2019;299:135–141. doi: 10.1016/j.forsciint.2019.03.024. [DOI] [PubMed] [Google Scholar]
21.Reh H. Rapid postmortem diagnosis of diabetic coma. Dtsch. Z. Gesamte Gerichtl. Med. 1966;57:183–189. [PubMed] [Google Scholar]
22.Zugibe F.T., Bell P., Jr., Conley T., Standish M.L. Determination of myocardial alterations at autopsy in the absence of gross and microscopic changes. Arch. Pathol. 1966;81:409–411. [PubMed] [Google Scholar]
23.Madea B., Henssge C., Honig W., Gerbracht A. References for determining the time of death by potassium in vitreous humor. Forensic Sci. Int. 1989;40:231–243. doi: 10.1016/0379-0738(89)90181-3. [DOI] [PubMed] [Google Scholar]
24.Sturner W.Q., Gantner G.E., Jr. The Postmortem Interval. A Study of Potassium in the Vitreous Humor. Am. J. Clin. Pathol. 1964;42:137–144. doi: 10.1093/ajcp/42.2.137. [DOI] [PubMed] [Google Scholar]
25.Bortolotti F., Pascali J.P., Davis G.G., Smith F.P., Brissie R.M., Tagliaro F. Study of vitreous potassium correlation with time since death in the postmortem range from 2 to 110 hours using capillary ion analysis. Med. Sci. Law. 2011;51((Suppl. S1)):S20–S23. doi: 10.1258/msl.2010.010063. [DOI] [PubMed] [Google Scholar]
26.Batista B.L., Rodrigues J.L., Nunes J.A., Tormen L., Curtius A.J., Barbosa F., Jr. Simultaneous determination of Cd, Cu, Mn, Ni, Pb and Zn in nail samples by inductively coupled plasma mass spectrometry (ICP-MS) after tetramethylammonium hydroxide solubilization at room temperature: Comparison with ETAAS. Talanta. 2008;76:575–579. doi: 10.1016/j.talanta.2008.03.046. [DOI] [PubMed] [Google Scholar]
27.Österlin S. On the molecular biology of the vitreous in the aphakic eye. Acta Ophtalmol. 1977;55:353–361. doi: 10.1111/j.1755-3768.1977.tb06109.x. [DOI] [PubMed] [Google Scholar]
28.Monzon L.R., Pearring S., Miller C., Vargas J.R. Validation of the i-STAT(R)1 Analyzer for Postmortem Vitreous Humor Electrolytes and Glucose Analysis. J. Anal. Toxicol. 2018;42:133–138. doi: 10.1093/jat/bkx084. [DOI] [PubMed] [Google Scholar]
Associated Data
This section collects any data citations, data availability statements, or supplementary materials included in this article.
Data Availability Statement
All relevant data are provided in the article.
Articles from Biomolecules are provided here courtesy of Multidisciplinary Digital Publishing Institute (MDPI)
ACTIONS
View on publisher site
PDF (2.7 MB)
Cite
Collections
Permalink PERMALINK
Copy
RESOURCES
Similar articles
Cited by other articles
Links to NCBI Databases
On this page
Abstract
1. Introduction
2. Materials and Methods
3. Results
4. Discussion
5. Conclusions
Acknowledgments
Author Contributions
Funding
Institutional Review Board Statement
Informed Consent Statement
Data Availability Statement
Conflicts of Interest
Footnotes
References
Associated Data
Cite
Copy
Download .nbib.nbib
Format:
Add to Collections
Create a new collection
Add to an existing collection
Name your collection
Choose a collection
Unable to load your collection due to an error
Please try again
Add Cancel
Follow NCBI
NCBI on X (formerly known as Twitter)NCBI on FacebookNCBI on LinkedInNCBI on GitHubNCBI RSS feed
Connect with NLM
NLM on X (formerly known as Twitter)NLM on FacebookNLM on YouTube
National Library of Medicine 8600 Rockville Pike Bethesda, MD 20894
Web Policies
FOIA
HHS Vulnerability Disclosure
Help
Accessibility
Careers
NLM
NIH
HHS
USA.gov
Back to Top |
190146 | https://www.khanacademy.org/math/statistics-probability/summarizing-quantitative-data/mean-median-basics/e/mean_median_and_mode | Use of cookies
Cookies are small files placed on your device that collect information when you use Khan Academy. Strictly necessary cookies are used to make our site work and are required. Other types of cookies are used to improve your experience, to analyze how Khan Academy is used, and to market our service. You can allow or disallow these other cookies by checking or unchecking the boxes below. You can learn more in our cookie policy
Privacy Preference Center
When you visit any website, it may store or retrieve information on your browser, mostly in the form of cookies. This information might be about you, your preferences or your device and is mostly used to make the site work as you expect it to. The information does not usually directly identify you, but it can give you a more personalized web experience. Because we respect your right to privacy, you can choose not to allow some types of cookies. Click on the different category headings to find out more and change our default settings. However, blocking some types of cookies may impact your experience of the site and the services we are able to offer.
More information
Manage Consent Preferences
Strictly Necessary Cookies
Always Active
Certain cookies and other technologies are essential in order to enable our Service to provide the features you have requested, such as making it possible for you to access our product and information related to your account.
For example, each time you log into our Service, a Strictly Necessary Cookie authenticates that it is you logging in and allows you to use the Service without having to re-enter your password when you visit a new page or new unit during your browsing session.
Functional Cookies
These cookies provide you with a more tailored experience and allow you to make certain selections on our Service. For example, these cookies store information such as your preferred language and website preferences.
Targeting Cookies
These cookies are used on a limited basis, only on pages directed to adults (teachers, donors, or parents). We use these cookies to inform our own digital marketing and help us connect with people who are interested in our Service and our mission.
We do not use cookies to serve third party ads on our Service.
Performance Cookies
These cookies and other technologies allow us to understand how you interact with our Service (e.g., how often you use our Service, where you are accessing the Service from and the content that you’re interacting with). Analytic cookies enable us to support and improve how our Service operates.
For example, we use Google Analytics cookies to help us measure traffic and usage trends for the Service, and to understand more about the demographics of our users.
We also may use web beacons to gauge the effectiveness of certain communications and the effectiveness of our marketing campaigns via HTML emails. |
190147 | https://ks3-cn-guangzhou.ksyun.com/dcdata/resources/new/shijuan/shuxue/bde5e5ae-c0db-11e6-a9ef-e89a8fbdd751_tiwen61345220005241/2011%E7%89%88%E9%AB%98%E4%B8%89%E6%95%B0%E5%AD%A6%E4%B8%80%E8%BD%AE%E7%B2%BE%E5%93%81%E5%A4%8D%E4%B9%A0%E5%AD%A6%E6%A1%88%EF%BC%9A%E7%AC%AC%E5%85%AB%E7%AB%A0%20%E5%B9%B3%E9%9D%A2%E8%A7%A3%E6%9E%90%E5%87%A0%E4%BD%95(8.1%E7%9B%B4%E7%BA%BF%E4%B8%8E%E6%96%B9%E7%A8%8B).DOC | P�e҉:N �v�v�~�e�s
NX[(W0
a$�~Ǐ$N�p �v�v�~�v�e�slQ_/f
b$�kag�v�~�� g>P�e҉�FOv^
N/f�kag�v�~�� g�e�s0
2 0$Nag�v�~s^L�N�W�v�v$R�[
�1 �$Nag�v�~s^L�
�[�N$Nag
N͑T�v�v�~ �vQ�e�sR+R:N �R g 0yr+R0W�S_�v�~ �v�e�s��
NX[(W�e� �vsQ�|:Ns^L�0
�2 �$Nag�v�~�W�v
�Y�g$Nag�v�~ �e�sX[(W���:N �R
�l�$Nag�v�~ �W�v�vEQ��ag�N/f�e�sKN�y:N- 1 �ُ�S
Ncknx�1u$N�v�~�v�e�sKN�y:N- 1 ��S�N�_�Q$N�v�~�W�v��SǏeg�$N�v�~�W�v��e�sKN�y
N N�[:N- 1 0�Y�g -N g Nag�v�~�v�e�s
NX[(W��S Nag�v�~�v�e�s:N0 �e� �N�v�W�v0
�N0�v�~�v�ez
1 0�v�~�ez�v�Q�yb__
T�y �ez�vb__ �]�wag�N @\P�' �p�e\_ E M B E D P B r u s h E M B E D P B r u s h :N�v�~
N N�[�p�k :N�e�s
NS�b�W�v�Nx t��v�v�~ �e\b\_ E M B E D P B r u s h k :N�e�s�b /f�v�~(Wy t�
N�v\bݍ
NS�b�W�v�Nx t��v�v�~ $N�p\_ E M B E D P B r u s h E M B E D P B r u s h /f�v�~
N$N�[�p
NS�b�W�v�Nx t��Ty t��v�v�~ \bݍ\_ a /f�v�~(Wx t�
N�v^���\bݍ�b /f�v�~(Wy t�
N�v^���\bݍ
NS�b�W�v�Nx t��Ty t�bǏ�S�p�v�v�~ N,�\_ E M B E D P B r u s h A �B �C :N�|pe �eP�6R��Sh�:y�NUOMOn�v�v�~ �l�Ǐ$N�p �v�v�~/f&T N�[�S(u$N�p\_�ezh�:y��
N N�[0�1 �� ��v�~�W�v�Nx t���ez:N ��2 �� ��v�~�W�v�Ny t���ez:N ��3 �� ��v�~�ez�S(u$N�p\_h�:y �
2 0�~�k�v-N�pPWhlQ\_
傹p �vPWhR+R:N E M B E D P B r u s h �N�~�k �v-N�pM �vPWh:N�x , y ��R dklQ\_:N�~�k �v-N�pPWhlQ\_0
N0�v�~�v�N�pPWhNݍ�ylQ\_
1 . $Nag�v�~�v�N�p
��$Nag�v�~�v�ez/f �$Nag�v�~�v�N�pPWh1\/f�ez�~ �v��傹ez�~ g/U N��Rُ$Nag�v�~�v�N�dk�1\/f�N�p�vPWh�傹ez�~�e��R$Nag�v�~�elQqQ�p�dk�e$Nag�v�~s^L���SKN��Nb�z0
2 . �Q�yݍ�y
�1 �$N�p���vݍ�y
s^b�
N�v$N�p ���vݍ�ylQ\_
yr+R0W��S�pO �0 �0 �N�N N�pP �x , y ��vݍ�y
�2 ��p0R�v�~�vݍ�y
�p 0R�v�~ �vݍ�y �
�3 �$Nags^L��~���vݍ�y
$Nags^L��~ ���vݍ�y
�l��1 �Bl�p0R�v�~�vݍ�y�e��v�~�ez��S:N N,�\_�
�2 �Bl$Nags^L��~���vݍ�y�e��\_{�\$N�v�~�ezS:N�|pe�vT�v N,�b\_\_T�Mb��WY(ulQ\_���{0
0�p�p���p�|�g0
N0�v�~�v>P�e҉N�e�s
� N ��v�~�v>P�e҉
; �vsQ���c;
2 ��]�w�e�sk �v��V�Bl>P�e҉ �v��V�e��k :Nckpe�R �v��V:N �vP[Ɩ�Nk = t a n :N�X�Qpe��k :N�pe�R �v��V:N �vP[Ɩ�Nk = t a n :N�X�Qpe0�k �v��V gck g��R�S@b��V c'Y�NI{�N0 b\�N0 R:N$N�R����[�k N�R�Q9hnc�e�s�v�X�Q'Bl>P�e҉��V0
; �O��㉐g;
0�O0�]�w�v�~�v�e�sk = - c o s ( "R ) . Bl�v�~�v>P�e҉ �v�SP�e҉ �v�SP�e҉ b �v�g�y N҉�Qpe9hnc egBl�e�s�
3 0)R(u�e�s��f N�pqQ�~�v�e�l�
�]�w � �R gA 0B 0C N�pqQ�~0
�l��e�s�SSRb$N�k� /fRLu�~�G�0R�e�s��(����X[(WN&T �����0
; �O��㉐g;
0�O0�� /f�N
N�vI{�v NN�[pe��Y�g (WT N�v�~
N�Bl���
�㉐g�� N�pqQ�~�R1u�N$N�p@bnx�[�v�v�~�e�s�vI{b��
NX[(W0
�T{�
� N �$Nag�v�~�vs^L�N�W�v
0�O0�]�w�pM �2 �2 ��N �5 �- 2 ���pP (Wx t�
N�R+RBl�n��NRag�N�vP �pPWh0
�1 � "M O P = "O P N �O /fPWh�S�p ��
�2 � "M P N /f�v҉0
�㉐g� "M O P = "O P N O M / / P N � "M P N /f�v҉ M P N P �Ee��S)R(u$N�v�~s^L��T�W�v�vag�NBl�_0
�T{�
�l��1 �EQR�c�c$N�v�~s^L��vag�N�S�W�v�vag�N/f㉳Q,g���vsQ.���[�N�e�s��X[(WN
N͑T�v$Nag�v�~ �T � 0� g Nag�v�~�v�e�s
NX[(W���HN�S Nag�v�~�v�e�s/fY\ N�[��yr+R�la0
�2 ��lal�SNSR_��v�^(u0
�3 �)R(u�e�s�v�QUOaIN�S�N��f
NI{_�)R(u$N�e�sKN���vsQ�|�S�N$R�e$N�v�~�vs^L�b�W�v�peb_�~T�v��e�l�S.^�Rb�N�_�v0WR�g���bOO��v�[(�0
�N0�v�~�v�ez
� N ��v�~�ez�vBl�l
; �vsQ���c;
1 0Bl�v�~�ez�^HQ ��b�S_�v�v�~�ezb__v^�laT�yb__�v�(uag�N0�W,g�e�lS�b)R(uag�N�v�cBl�v�~�v�W,gϑ�T)R(u�_�[�|pe�lBl�v�~�v�W,gϑ0
(u�_�[�|pe�lBl�v�~�ez�vek���
�1 ���@bBl�v�~�ez�v�g�yb__�
�2 �1uag�N�^�z@bBl�Spe�v�ez��~ ��
�3 ��ُN�ez��~ �Bl�Spe�
�4 ��b@bBl�v�Spe 0 ) , A �0 �b �, P ( , 0 ) , a , b :N�[
0 , b > 0 , 4"a b > 0 , - a b < |