Web Programming/Server

python secret 이용해서 api_key 만들기

jinmc 2023. 12. 20. 17:32
반응형

chatgpt 한테 물어봤습니다.   

 

q: how can I make api key using python secret?
 
 
 

To create an API key using Python's `secrets` module, you can follow these steps:

1. **Import the `secrets` module**: This is a module in Python's standard library used for generating cryptographically strong random numbers suitable for managing data such as passwords, account authentication, security tokens, and related secrets.

2. **Generate a random string**: Use the `secrets.token_hex()` function to generate a secure, random hexadecimal string, which will serve as your API key. You can specify the number of bytes; more bytes mean a longer and more secure key.

Here's a basic example of how you can do it:

import secrets

def generate_api_key(length=16):
    """
    Generate a secure random API key.

    Args:
    length (int): The number of bytes in the key. Default is 16.

    Returns:
    str: A hexadecimal string representing the API key.
    """
    return secrets.token_hex(length)

# Generate an API key
api_key = generate_api_key()
print("API Key:", api_key)



In this example, `generate_api_key()` is a function that creates an API key with a default length of 16 bytes, but you can change the length according to your security requirements. The `secrets.token_hex()` function is used to generate a hexadecimal string. The generated API key is printed to the console. 

Remember, it's important to keep your API keys secure and not expose them in public code repositories or places where unauthorized users might access them.

라고 합니다. 하지만, api_key를 만들어서 바로 넣는 것은 좋은 practice가 아니죠! encrypt 한 이후에, 넣어야 합니다. 그럼 encrypt 하는 방법도 알려달라고 합시다.

 

Q : how can i make encrypted key?
 

 

 

pip install cryptography 로 install 한 이후에, 다음 script 로 만들면 될거 같습니다.

from cryptography.fernet import Fernet

# Step 1: Generate a Key (This is your API key)
api_key = Fernet.generate_key().decode()

# Step 2: Encryption
# Create a Fernet object with the encryption key
encryption_key = Fernet.generate_key()
cipher_suite = Fernet(encryption_key)

# Encrypt the API key
encrypted_api_key = cipher_suite.encrypt(api_key.encode()).decode()

# Print the original and encrypted keys
print("Original API Key:", api_key)
print("Encrypted API Key:", encrypted_api_key)

# Store 'encrypted_api_key' in your database and keep 'encryption_key' secure.
반응형