class HouseMarket:
def __init__(self, initial_price, supply, purchase_limit):
self.price = initial_price
self.supply = supply # 房屋供应量
self.purchase_limit = purchase_limit # 限购措施,例如每户限购套数
def update_price(self):
# 自然市场条件下的需求减少导致价格下跌
natural_decline_rate = 0.01
# 行政干预的效果(初期)
supply_effect = -0.02 if self.supply < 0 else 0.0 # 减少供应,价格上涨
limit_effect = 0.03 if self.purchase_limit > 0 else 0.0 # 放开限购,需求增加,价格上涨
# 当所有措施用尽后,市场回归自然状态
if self.supply <= 0 and self.purchase_limit <= 0:
market_condition = -natural_decline_rate # 仅自然下跌
else:
market_condition = supply_effect + limit_effect - natural_decline_rate
# 更新房价
self.price *= 1.0 + market_condition
def adjust_supply(self, new_supply):
self.supply = new_supply
def adjust_purchase_limit(self, new_limit):
self.purchase_limit = new_limit
def get_price(self):
return self.price
# 初始化市场
market = HouseMarket(initial_price=1000000, supply=1000, purchase_limit=1)
print("初始房价:", market.get_price())
# 模拟几个月的市场变化
for month in range(1, 25): # 模拟24个月
if month == 4:
market.adjust_supply(800) # 第4个月减少供应
if month == 8:
market.adjust_purchase_limit(0) # 第8个月放开限购
if month == 12:
# 第12个月,所有措施用尽,市场回归自然状态
market.adjust_supply(0)
market.adjust_purchase_limit(0)
market.update_price()
print(f"第{month}个月房价: {market.get_price():.2f}") |