0
집중하다
1
수행원

비동기 문제, 미쳐가다

만든 날짜: 2023-03-15 10:43:20, 업데이트 날짜:
comments   5
hits   1125

import pandas as pd from binance.client import AsyncClient from datetime import datetime, timedelta import aiohttp import json def utc_to_local(utc_dt): # 베이징 시간으로 변환 local_tz = datetime.timezone ((datetime.timedelta ((hours=8)) # 동 8 구역 시간 차이 local_dt = utc_dt.replace(tzinfo=datetime.timezone.utc).astimezone(local_tz) return local_dt

비 동기화 초기화 Binance 클라이언트

async def init_client(): client = await AsyncClient.create(api_key=api_key, api_secret=api_secret)

return client

K선 데이터를 비동기적으로 가져오기

async def get_klines(client, symbol, start_time, end_time, interval): klines = await client.futures_klines(symbol=symbol, interval=interval, startTime=start_time.timestamp()*1000, endTime=end_time.timestamp()*1000) df = pd.DataFrame(klines, columns=[‘timestamp’, ‘open’, ‘high’, ‘low’, ‘close’, ‘volume’, ‘close_time’, ‘quote_asset_volume’, ‘number_of_trades’, ‘taker_buy_base_asset_volume’, ‘taker_buy_quote_asset_volume’, ‘ignore’]) df[‘timestamp’] = pd.to_datetime(df[‘timestamp’], unit=‘ms’) df[‘close_time’] = pd.to_datetime(df[‘close_time’], unit=‘ms’) df.set_index(‘timestamp’, inplace=True) df.drop(columns=[‘close_time’, ‘ignore’], inplace=True) df = df.astype(‘float’) return df

비 동기화 된 Binance 클라이언트 종료

async def close_client(client): await client.close_connection()

비동기적으로 메인 함수를 실행합니다.

async def main(): client = await init_client()

모든 USDT 영구 계약 거래 쌍을 확보하세요

exchange_info = await client.futures_exchange_info() symbols = [symbol_info[‘symbol’] for symbol_info in exchange_info[‘symbols’] if symbol_info[‘contractType’] == ‘PERPETUAL’ and symbol_info[‘quoteAsset’] == ‘USDT’]

빈 데이터 프레임을 생성합니다.

df = pd.DataFrame(columns=[‘Symbol’, ‘Open’, ‘High’, ‘Low’, ‘Close’, ‘Change’, ‘Volume’]) df.set_index(‘Symbol’, inplace=True)

# 将所有交易对添加到 DataFrame 中
for symbol in symbols:
    df.loc[symbol] = [None] * len(df.columns)
# 遍历所有交易对
for symbol in symbols:
    # 设置起止时间
    start_time = datetime.utcnow() - timedelta(minutes=16)#开始时间为16分钟前
    end_time = datetime.utcnow()
    try:
   # 获取M15k线
        current_klines = await get_klines(client, symbol, end_time - timedelta(minutes=15), end_time, '15m')
    except Exception as e:
        Log(f"An error occurred: {e}")
        current_klines = []
    # 将数据存入 DataFrame
   # 更新对应的行
    df.loc[symbol, 'Open'] = current_klines['open'].iloc[-1]
    df.loc[symbol, 'High'] = current_klines['high'].iloc[-1]
    df.loc[symbol, 'Low'] = current_klines['low'].iloc[-1]
    df.loc[symbol, 'Close'] = current_klines['close'].iloc[-1]
    df.loc[symbol, 'Change'] = current_change
    df.loc[symbol, 'Volume'] = current_klines['volume'].iloc[-1]

# 关闭客户端
Log(df)
await close_client(client)

비동기 프로그램을 실행

if name == ‘main’: import asyncio asyncio.run(main())

모든 계약 통화에 대한 M15의 상승과 하락 데이터를 얻기 위한 것입니다.

Log(df) 한 번 후에 오류가 발생; 즉 모든 symbol의 가격과 같은 데이터를 업데이트 한 후에 오류가 발생: Traceback (most recent call last): File “”, line 1246, in init_ctx File “”, line 147, in TypeError: Object of type coroutine is not JSON serializable sys:1: RuntimeWarning: coroutine ‘main’ was never awaited RuntimeWarning: Enable tracemalloc to get the object allocation traceback

ChatGpt도 안 잡혔는데, 대모님도 도와주세요.