📜  可以在球体内刻入的最大立方体

📅  最后修改于: 2021-04-29 12:34:08             🧑  作者: Mango

给定一个半径为r的球体,任务是找到可以放入其中的最大立方体的侧面。
例子:

Input: r = 8
Output: 9.2376

Input: r = 5
Output: 5.7735

方法

下面是实现:

C++
// C++ Program to find the biggest cube
// inscribed within a sphere
#include 
using namespace std;
 
// Function to find the side of the cube
float largestCube(float r)
{
 
    // radius cannot be negative
    if (r < 0)
        return -1;
 
    // side of the cube
    float a = (2 * r) / sqrt(3);
    return a;
}
 
// Driver code
int main()
{
    float r = 5;
    cout << largestCube(r) << endl;
 
    return 0;
}


Java
// Java Program to find the biggest cube
// inscribed within a sphere
import java.util.*;
class Solution{
// Function to find the side of the cube
static float largestCube(float r)
{
   
    // radius cannot be negative
    if (r < 0)
        return -1;
   
    // side of the cube
    float a = (2 * r) / (float)Math.sqrt(3);
    return a;
}
   
// Driver code
public static void main(String args[])
{
    float r = 5;
    System.out.println( largestCube(r));
   
}
 
}
//contributed by Arnab Kundu


Python3
# Python 3 Program to find the biggest
# cube inscribed within a sphere
from math import sqrt
 
# Function to find the side of the cube
def largestCube(r):
     
    # radius cannot be negative
    if (r < 0):
        return -1
 
    # side of the cube
    a = (2 * r) / sqrt(3)
    return a
 
# Driver code
if __name__ == '__main__':
    r = 5
    print("{0:.6}".format(largestCube(r)))
 
# This code is contributed
# by SURENDRA_GANGWAR


C#
// C# Program to find the biggest cube
// inscribed within a sphere
using System;
class Solution{
// Function to find the side of the cube
static float largestCube(float r)
{
 
    // radius cannot be negative
    if (r < 0)
        return -1;
 
    // side of the cube
    float a = (2 * r) / (float)Math.Sqrt(3);
    return a;
}
 
// Driver code
static void Main()
{
    float r = 5;
    Console.WriteLine( largestCube(r));
 
}
 
}
//This code is contributed by mits


PHP


Javascript


输出:
5.7735