Skip to content
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
85 changes: 85 additions & 0 deletions content/c-sharp/concepts/math-functions/terms/cbrt/cbrt.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,85 @@
---
Title: 'Cbrt()'
Description: 'Returns the cube root of the given number.'
Subjects:
- 'Code Foundations'
- 'Computer Science'
Tags:
- 'Arithmetic'
- 'Methods'
- 'Numbers'
CatalogContent:
- 'learn-c-sharp'
- 'paths/computer-science'
---

The **`Math.Cbrt()`** [method](https://www.codecademy.com/resources/docs/c-sharp/methods) in C# returns the cube root of a given number. It handles positive, negative, and special floating-point values such as `NaN` and infinities.

## Syntax

```pseudo
Math.Cbrt(double x)
```

**Parameters:**

- `x` (double): The number whose cube root is to be calculated.

**Return value:**

The method will return a value of [type](https://www.codecademy.com/resources/docs/c-sharp/data-types) `double` unless the value passed is one of the following:

- If `x` is `NaN`, the method will return `NaN`.
- If `x` is `PositiveInfinity`, the method will return `PositiveInfinity`.
- If `x` is `NegativeInfinity`, the method will return `NegativeInfinity`.
- If `x` is negative, the method will return the real cube root (a negative number).

## Example

In this example, different numeric values are passed to `Math.Cbrt()` to calculate their cube roots:

```cs
using System;

namespace MyCubeRoot {
public class Example {
public static void Main(string[] args) {
double a = Math.Cbrt(27);
double b = Math.Cbrt(-8);
double c = Math.Cbrt(1000);
double d = Math.Cbrt(0.125);

Console.WriteLine(a);
Console.WriteLine(b);
Console.WriteLine(c);
Console.WriteLine(d);
}
}
}
```

This example results in the following output:

```shell
3.0000000000000004
-2
10
0.49999999999999994
```

## Codebyte Example

In this example, the cube root of 64 is calculated using `Math.Cbrt()` and printed to the console:

```codebyte/csharp
using System;

public class Example {
public static void Main() {
double number = 64;
double cubeRoot = Math.Cbrt(number);

Console.WriteLine("The cube root of " + number + " is " + cubeRoot);
}
}
```