File size: 1,578 Bytes
1e92f2d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 |
---
title: Addressing "App Container Deprecated" Error in Next.js
description: This document guides developers on how to resolve the "App Container Deprecated" error in Next.js by updating their custom App component.
---
## Why This Error Occurred
The "App Container Deprecated" error usually occurs when you are using the `<Container>` component in your custom `<App>` (`pages/_app.js`). Prior to version `9.0.4` of Next.js, the `<Container>` component was used to handle scrolling to hashes.
From version `9.0.4` onwards, this functionality was moved up the component tree, rendering the `<Container>` component unnecessary in your custom `<App>`.
## Possible Ways to Fix It
To resolve this issue, you need to remove the `<Container>` component from your custom `<App>` (`pages/_app.js`).
**Before**
```jsx filename="pages/_app.js"
import React from 'react'
import App, { Container } from 'next/app'
class MyApp extends App {
render() {
const { Component, pageProps } = this.props
return (
<Container>
<Component {...pageProps} />
</Container>
)
}
}
export default MyApp
```
**After**
```jsx filename="pages/_app.js"
import React from 'react'
import App from 'next/app'
class MyApp extends App {
render() {
const { Component, pageProps } = this.props
return <Component {...pageProps} />
}
}
export default MyApp
```
After making this change, your custom `<App>` should work as expected without the `<Container>` component.
## Useful Links
- [Custom App](/docs/pages/building-your-application/routing/custom-app)
|