热门角色不仅是灵感来源,更是你的效率助手。通过精挑细选的角色提示词,你可以快速生成高质量内容、提升创作灵感,并找到最契合你需求的解决方案。让创作更轻松,让价值更直接!
我们根据不同用户需求,持续更新角色库,让你总能找到合适的灵感入口。
本提示词专为个人理财编程语言设计场景打造,通过系统化的需求分析、语法设计和功能规划,帮助开发者构建安全可靠的理财编程语言。提示词采用分步式工作流程,涵盖场景分析、语法设计、安全校验等关键环节,确保输出具备完整的功能架构、语法规范和实现方案。特别强化了类型安全机制和财务合规性检查,可有效适配预算管理、投资追踪等多种理财场景需求。
以下设计面向中级复杂度用户(个人理财爱好者、独立开发者、财务教练工具作者、开源贡献者),强调静态类型与单位安全、内置货币与时间序列、策略模块与规则引擎、合规校验、沙盒执行与权限隔离以及可视化报表DSL。设计目标是兼顾易用性、安全性和扩展性,同时严格遵循数据安全与隐私保护规范。以下内容不包含具体投资建议或财务指导。
以下语法设计追求直观可读、静态可检查与理财场景友好。示例名称:FinFlux 源文件后缀 .ffx。
module <name>import std.money, import std.timeseriespub 导出符号,默认模块内可见// .../* ... */Int, Decimal, Bool, StringDate, DateTime, Duration, PeriodMoney<CCY> 例如:Money<CNY>, Money<USD>Percent(范围默认 0%..100% 可通过类型约束扩展)Rate<Period>(如 Rate<Year>, 表示年化率)List<T>, Map<K,V>TimeSeries<T>(带频率与对齐规则)1234.56 CNY, -99.00 USD12.5%5%/year, 0.5%/month@2025-01-31, 日期区间:@2025-01-01..@2025-12-313mo, 2y, 10d@monthly, @weekly, @dailylet(不可变),var(可变,受能力限制)const TAX_YEAR = @2025-01-01..@2025-12-31+ - * /(Money 与 Money 必须同币种,Percent * Money -> Money)== != < <= > >=and or notconvert(amount, to: CCY, fx: FXSource)map, zip, resample(@monthly), rollup(sum), shift(1), diff()if ... else ...match(类型或枚举分支)for item in list { ... }fn name(param: Type): ReturnType { ... }type Transaction { date: Date, amount: Money<CNY>, memo: String }enum Frequency { Daily, Weekly, Monthly, Quarterly, Yearly }type SafePercent = Percent where 0% <= value <= 100%rule Overspend when condition then action severity "high"strategy Rebalance { targets: Map<String,Percent>, drift: Percent, rebalance_window: Period }compliance { tax_schema: TaxSchema, limits: List<LimitRule> }report BudgetOverview { dataset: ds; charts { line "Spending vs Budget" { x: date; y: [budget, spending]; } } }Result<T, E>,Option<T>,try/catch(运行期安全处理)convertTimeSeries<T>(freq: Frequency)resample, fill(method: forward/backward/zero), interpolaterollup(sum/mean/max/min), windowed(n, fn){ id: String, units: Decimal, price: Money<CCY> }line, bar, area, pie, tablefs.read:/path, fs.write:/path, net.denyPII<String>,日志自动脱敏Result<T,E> 强制处理;默认非致命错误降级为告警以下示例仅为语言用法演示,不构成任何投资建议或财务指导。
module budget
import std.money
import std.ledger
import std.timeseries
import std.rules
import std.report
const CCY = CNY
type ExpenseTxn { date: Date, amount: Money<CCY>, category: String, memo: String }
let monthly_budget = Map<String, Money<CCY>> {
"Food": 2000 CNY,
"Transport": 600 CNY,
"Utilities": 800 CNY,
"Entertainment": 500 CNY
}
fn load_txns(path: String): List<ExpenseTxn> {
// 需 manifest 声明 fs.read 权限
// 返回解析后的交易列表
}
fn spending_series(txns: List<ExpenseTxn>): TimeSeries<Money<CCY>> {
let by_month = txns
.group_by_month(.date)
.sum(.amount)
.to_timeseries(@monthly)
return by_month
}
rule OverspendFood when
spending_series(load_txns("./tx.csv")).category("Food").last() > monthly_budget["Food"] * 1.05
then
alert("Food overspend > 5%", category="Food")
severity "high"
report BudgetOverview {
dataset: spending_series(load_txns("./tx.csv"));
charts {
bar "Monthly Spending vs Budget" {
x: date;
y: [
series "Spending" -> dataset,
series "Budget" -> monthly_budget.to_timeseries(@monthly)
];
}
}
}
module portfolio
import std.portfolio
import std.tax
import std.money
import std.timeseries
type Holding { id: String, units: Decimal, price: Money<USD> }
fn daily_return(prices: TimeSeries<Money<USD>>): TimeSeries<Percent> {
return prices.diff() / prices.shift(1)
}
let tax = TaxSchema.load("region:generic-2025") // 插件提供税制,非内置税率
fn after_tax_return(pretax: TimeSeries<Percent>, schema: TaxSchema): TimeSeries<Percent> {
return pretax.map(fn(p: Percent): Percent {
let liability = schema.estimate_capital_gains(p)
return max(0%, p - liability.as_percent())
})
}
module cashflow
import std.timeseries
import std.money
type CashItem { name: String, flow: Money<CNY>, period: Period }
let income = List<CashItem> {
{ name: "Salary", flow: 12000 CNY, period: @monthly }
}
let expenses = List<CashItem> {
{ name: "Rent", flow: -3500 CNY, period: @monthly },
{ name: "Utilities", flow: -800 CNY, period: @monthly }
}
fn project(items: List<CashItem>, horizon: Duration): TimeSeries<Money<CNY>> {
let start = @2025-01-01
let ts = items.fold(TimeSeries<Money<CNY>>.empty(@monthly), fn(acc, item) {
acc + TimeSeries.repeat(item.flow, start, horizon, item.period)
})
return ts
}
let forecast = project(income + expenses, 12mo)
module goals
import std.money
import std.timeseries
fn required_monthly(target: Money<CNY>, months: Int, rate: Rate<Month>): Money<CNY> {
// 等额储蓄目标(不考虑税与波动,仅演示)
let i = rate.as_decimal()
return target * i / ((1 + i) ^ months - 1)
}
let goal = 30000 CNY
let plan = required_monthly(goal, 12, 0.2%/month)
module risk
import std.portfolio
import std.timeseries
fn volatility(returns: TimeSeries<Percent>): Decimal {
returns.stddev()
}
fn max_drawdown(values: TimeSeries<Money<USD>>): Percent {
values.max_drawdown()
}
module taxcompare
import std.report
import std.tax
import std.timeseries
let pretax = load_series("./returns.csv") // 需读权限
let schema = TaxSchema.load("region:generic-2025")
let aftertax = after_tax_return(pretax, schema)
report ReturnCompare {
dataset: Map {
"PreTax" -> pretax,
"AfterTax" -> aftertax
}
charts {
line "Pre vs After Tax" {
x: date; y: [series "PreTax", series "AfterTax"]
}
}
}
module rebalance
import std.strategy
import std.portfolio
import std.money
strategy Rebalance {
targets: Map<String, Percent> {
"Equity": 60%,
"Bond": 40%
},
drift: 2%,
rebalance_window: @quarterly
}
fn simulate(current_alloc: Map<String, Percent>): List<OrderDraft> {
// 若漂移超过阈值则生成订单草案(不触达外部系统)
return Strategy.run(Rebalance, current_alloc)
}
module bills
import std.rules
import std.timeseries
import std.money
rule UpcomingBills when
bills.next_due_within(7d).count() > 0
then
notify("Bills due within 7 days")
severity "medium"
rule AnomalySpending when
spending_series(@monthly).last().zscore() > 3.0
then
alert("Spending anomaly detected")
severity "high"
实现优先级
技术选型建议
rust-decimal 或自研定点库)安全与合规注意事项
扩展性
本设计旨在为个人理财提供一个安全、可验证、可扩展的编程语言与工具链。所有模块与语法均遵守金融数据安全与隐私保护,避免引发财务风险的特性,并确保良好的错误处理与边界条件检查。
面向债务清偿规划、利率比较与重融资评估、还款优先级策略、现金流压力测试、应急金阈值管理、信用评分影响模拟等场景,PFDSL 以“目标导向 + 约束求解 + 日历化调度 + 安全合规”为核心,提供简洁、强类型、可扩展的个人理财领域语言。
重要说明:本设计仅用于建模与模拟,不构成任何投资或财务建议;语言不直接触达资金或执行真实支付,只生成模拟计划与离线调度文件(如 ICS/CSV)。
语言内核与模块关系(概念图)
[PFDSL 源代码] | v 语法解析器 + 类型检查器 | +-------------------+--------------------+ | | | v v v 财务语义层 安全/隐私层 校验/合规层
2.1 基本词法与字面量
2.2 核心类型
2.3 程序结构 顶层由若干块组成:
2.4 表达式与操作
2.5 约束求解器语法
solve 块采用 “目标 + 约束” 的声明式写法: solve minimize total_interest over horizon 36 mo subject to { monthly_outflow <= 6_000 CNY maintain emergency_fund >= 3 mo of avg_expense(6 mo) for d in debts: pay(d) >= min_payment(d) for c in credit_cards: utilization(c) <= 30% forbid negative_amortization if refinance.enabled: include closing_costs }
还款优先级策略(可选):priority by rate desc then balance desc
可选预设策略:strategy avalanche|snowball|hybrid(仍受约束裁剪)
2.6 日历化调度
schedule 块指定频率、对齐与节假日处理: schedule { timezone "Asia/Shanghai" holidays "CN" # 内置节假日表 pay debts monthly on due_day adjust weekend -> previous_business_day autopay min_amount allocate extra by priority }
导出:export ics "debt_plan.ics", csv "payments.csv"
2.7 规则与校验
规则定义: rule "late_risk" severity high when risk.late_within(60 day) { message "60天内存在潜在逾期风险" }
规则可应用于计划、债务集合、场景结果。违反时不自动执行动作,仅提示/阻止求解。
2.8 隐私与权限
3.1 目标导向计划器(Goals + Plan)
3.2 约束求解器(最小利息)
3.3 规则校验(违约/逾期/边界)
3.4 日历化还款调度
3.5 多账户聚合
3.6 现金流压力测试
3.7 应急金阈值管理
3.8 信用评分影响模拟(近似)
3.9 利率比较与重融资评估
4.1 类型安全
4.2 数据验证与合规校验
4.3 隐私与本地加密
4.4 安全失效与错误处理
5.1 债务清偿规划 + 目标导向 + 最小利息
# 文件: family_debt_plan.pfdsl
vault {
key_provider local_keystore("pf_vault")
field account_number as secret(mask: "****####")
encrypt algorithm "AES-256-GCM"
telemetry off
data_residency local_only
}
currency {
base CNY
fx "CNH" date("2025-01-01") {
USD -> CNY = 7.10
}
}
accounts {
checking "Main Checking" {
balance 20_000 CNY
account_number "****1234"
}
savings "Emergency Fund" {
balance 30_000 CNY
}
}
debts {
credit_card "Card A" {
balance 12_000 CNY
limit 30_000 CNY
apr 18% APR
compounding daily
min_payment max(3% of balance, 100 CNY)
bill_day 1
due_day 15
}
credit_card "Card B" {
balance 6_500 CNY
limit 20_000 CNY
apr 12.9% APR
compounding daily
min_payment max(3% of balance, 80 CNY)
bill_day 8
due_day 22
promo {
apr 0% APR until date("2025-06-30")
balance_cap 5_000 CNY
}
}
loan "Student Loan" {
principal 50_000 CNY
apr 4.2% APR
compounding monthly
term 60 mo
due_day 10
prepayment_penalty false
}
}
goals {
emergency_fund >= 3 mo of avg_expense(6 mo)
debt_free by date("2028-12-31")
for c in credit_cards: utilization(c) <= 30%
}
plan "Family Plan" {
monthly_budget 6_000 CNY
priority hybrid {
order by apr desc then balance desc
# 若存在促销期,优先保证到期前清零促销子余额
promo_clear before date("2025-06-30")
}
solve minimize total_interest over horizon 36 mo
subject to {
monthly_outflow <= monthly_budget
maintain emergency_fund >= 3 mo of avg_expense(6 mo)
for d in debts: pay(d) >= min_payment(d)
forbid negative_amortization
}
}
schedule {
timezone "Asia/Shanghai"
holidays "CN"
pay debts monthly on due_day
adjust weekend -> previous_business_day
autopay min_amount
allocate extra by plan "Family Plan"
export ics "family_debt.ics"
export csv "family_payments.csv"
}
rules {
rule "late_risk_60d" severity high when risk.late_within(60 day) {
message "60天内潜在逾期风险,请检查调度与现金流"
}
rule "utilization_high" severity warn when any credit_cards where utilization(_) > 30% {
message "信用利用率超过 30%"
}
rule "affordability" severity high when not affordability(cashflow, buffer: 1_000 CNY) {
message "可负担性不足,月度缓冲低于 1,000 CNY"
}
}
simulate {
run plan "Family Plan"
report summary, schedule, risk
}
5.2 重融资评估(对比模拟,不给建议)
debts {
loan "Refi Candidate" as hypothetical {
replace "Student Loan"
principal 50_000 CNY
apr 3.6% APR
compounding monthly
term 72 mo
closing_costs 800 CNY
prepayment_penalty false
}
}
scenarios {
baseline { }
with_refi {
include "Refi Candidate"
}
}
simulate {
compare baseline vs with_refi {
horizon 72 mo
metrics total_interest, monthly_outflow_profile, payoff_date
report diff_only
}
}
5.3 现金流压力测试与应急金阈值
scenarios {
stress_unemployment {
income -40% for 3 mo starting date("2025-03-01")
expense +15% for 3 mo
variable_rate_shift +2% APR on credit_cards after 1 mo
}
}
simulate {
run scenario "stress_unemployment" with plan "Family Plan"
report risk, emergency_fund_path, shortfall_months
}
5.4 信用评分影响近似(区间提示)
simulate {
credit_model approx {
factors utilization_band, on_time_payment, new_accounts
}
report credit_utilization_tiers
}
6.1 实现优先级(里程碑)
6.2 技术选型
6.3 合规与风控注意
6.4 可用性与入门
说明
面向税务申报筹划、抵扣与递延计算、长期投资税负模拟、跨年度优化、养老与教育账户规则验证、自由职业者预估税等高级理财场景,FTL 为专业用户提供可审计、可版本化、可扩展的领域专用语言(DSL)。
┌───────────────────────────┐
│ FTL 语言核心 │
│ 语法解析/类型系统/IR/DAG │
└─────────────┬─────────────┘
│
┌───────┴──────────────────────────────────────────────────────────────────────┐
│ │
┌─────▼──────┐ ┌───────────────┐ ┌────────────────┐ ┌───────────────────┐ ┌────────────────┐
│规则注册中心│ │版本化规则引擎 │ │税表/表单模型 │ │计算图引擎(DAG) │ │单位与币种系统 │
│(多辖区Policy│←→│(生效期/变更集) │←→│(多辖区Tax Forms)│←→│(确定性/溯源/缓存)│←→│(FX/单位校验) │
│ Packs) │ │ │ │ │ │ │ │ │
└─────▲──────┘ └───────────────┘ └────────────────┘ └───────────────────┘ └────────────────┘
│ │
│ │
┌─────▼───────────┐ ┌────────────────┐ ┌─────────────────────┐ ┌───────────────────┐
│审计与合规模块 │ │数据连接器 │ │测试数据生成器 │ │报表DSL与导出 │
│(审计日志/版本戳/ │←→│(安全拉取FX/ │ │(分布/约束/属性测试) │←→│(合成报表/合并/ │
│PII掩码/同意管理) │ │账户/申报历史) │ │ │ │导出CSV/JSON/XBRL)│
└─────▲───────────┘ └────────────────┘ └─────────────────────┘ └───────────────────┘
│
┌─────▼───────────┐
│运行时与安全沙箱 │
│(WASM/权限边界/ │
│静态分析/包签名) │
└──────────────────┘
// 与 /* ... */。#2025-01-31, Year(2025), Period(Year(2025)), #2025-01-01..#2025-12-311_000 CNY, 250 USD7.5%Rate(0.075, basis="annual")module 定义命名空间;import 导入规则包或库。module Freelance.US
import rulepack "US-Federal" version "2024.2"
import rulepack "US-CA" version "2024.1"
import fx "OECD-FX" version "2025.Q1"
rulepack 声明、effective 生效期、supersede 版本衔接。rulepack "US-Federal" version "2024.2" effective #2024-01-01..#2024-12-31 {
rule SelfEmploymentTax {
// 公式与税表行映射,具体数值来自已签名的政策包数据集
input: Income.selfEmploymentNet
output: Form("US1040").line("SE_Tax")
formula: apply_rate(input, table="SE_Rate_Table")
}
rule RetirementContributionLimit {
// 限额随年龄、收入、账户类型变化
validate account.contribution(year=Year(2024)) <= limit(account, taxpayer)
on_fail error "Contribution exceeds permitted limit"
}
}
form "US1040" {
line "AGI" := sum(income.sources) - sum(adjustments.allowed)
line "TaxableInc" := max(line("AGI") - line("StdDeduction"), 0)
line "TotalTax" := tax_table(line("TaxableInc"), table="FederalRate")
}
let gross: Money<USD> = 120_000 USD
let fxd = fx.rate("USD","CNY", on=#2025-01-15)
let grossCNY: Money<CNY> = convert(gross, to="CNY", using=fxd)
let taxDueRounded = round(taxDue, mode=Tax, precision=0) // 税法舍入策略
if/else, match, for, where(过滤)when effective ... 针对时间有效性保护when effective(policy("US-Federal"), Period(Year(2024))) {
apply rule SelfEmploymentTax to taxpayer
}
account Retirement(type="IRA", taxAdvantaged=true, jurisdiction="US-Federal") {
contribution(Year(2025)) = 6_000 USD
carryforward key "IRAExcess" from Year(2024) -> Year(2025)
}
require taxpayer.consent(scope="tax_calculation") else error "Consent required"
assert money >= 0 else warn "Negative value detected"
try compute(form) catch e -> log_audit(e)
gen Taxpayer "FreelancerSet" count 500 seed 42 {
income.selfEmploymentNet ~ dist.lognormal(mean=85_000, sigma=0.35, currency="USD")
deductions ~ pick(["Std", "Itemized"], weights=[0.7, 0.3])
residency ~ pick(["US-CA","US-TX","US-NY"])
accounts.retirement ~ prob(0.6)
ensure constraints {
if accounts.retirement then contribution <= limit(account, taxpayer)
}
}
report "CrossYearSummary" for taxpayer range Year(2025)..Year(2028) {
table "TaxByYear" {
columns: ["Year","AGI","TaxableIncome","TotalTax","CarryForward"]
rows: for y in years {
[y, form("US1040", y).line("AGI"),
form("US1040", y).line("TaxableInc"),
form("US1040", y).line("TotalTax"),
carryforward("CapitalLoss", y)]
}
}
export to csv sink "memory://reports/cross_year.csv"
export to json sink "memory://reports/cross_year.json"
}
多辖区税表模型
规则版本化与审计日志
rulepack 管理,含版本号与生效期;支持 supersede 链接版本。单位与币种换算
convert。政策生效期校验
when effective(...) 或自动匹配当前 Period;规则脱离生效期则报错或降级为警告。测试数据生成器
合成报表 DSL 与导出
类型安全
数据验证与合规
require taxpayer.consent(...);无同意禁止访问敏感数据。错误处理与边界检查
风险控制
说明:以下示例仅展示语言能力与校验机制,不构成具体财务指导或投资建议。
module Estimation.USFreelancer
import rulepack "US-Federal" version "2024.2"
import rulepack "US-CA" version "2024.1"
taxpayer alice {
id: "TP-001" @pii
residency: "US-CA"
filingStatus: "Single"
consent: ["tax_calculation"]
}
let incomeNet: Money<USD> = 120_000 USD
let deductionsAllowed = ["StdDeduction"] // 具体数值由规则包决定
when effective(policy("US-Federal"), Period(Year(2024))) {
apply rule SelfEmploymentTax with { input: incomeNet } to alice
}
let fedForm = form("US1040", Year(2024)).compute(for=alice)
let caForm = form("CA540", Year(2024)).compute(for=alice)
report "Freelancer_2024" for alice {
table "Summary" {
columns: ["AGI","TaxableIncome","TotalTax_Federal","TotalTax_CA"]
rows: [
[ fedForm.line("AGI"),
fedForm.line("TaxableInc"),
fedForm.line("TotalTax"),
caForm.line("TotalTax") ]
]
}
export to json sink "memory://reports/freelancer_2024.json"
}
module Retirement.Validation
import rulepack "US-Federal" version "2025.1"
taxpayer bob { id: "TP-002" @pii, residency: "US-NY", filingStatus: "Married" }
account Retirement(type="IRA", taxAdvantaged=true, jurisdiction="US-Federal") for bob {
contribution(Year(2025)) = 7_000 USD // 示例数值
}
when effective(policy("US-Federal"), Period(Year(2025))) {
validate rule RetirementContributionLimit for bob
// 若超限:返回 error,审计日志记录失败原因与使用版本
}
module Investment.TaxSimulation
import rulepack "CN-PRC" version "2025.1"
import fx "OECD-FX" version "2025.Q1"
taxpayer chen { id:"TP-003" @pii, residency:"CN-PRC" }
let buyUSD: Money<USD> = 50_000 USD
let fxOnBuy = fx.rate("USD","CNY", on=#2025-01-02)
let buyCNY = convert(buyUSD, to="CNY", using=fxOnBuy)
portfolio chenPortfolio {
asset "US_Equity_Index" {
buy amount: buyUSD on #2025-01-02
dividends: [ 1_000 USD on #2025-06-30 ]
sell amount: 55_000 USD on #2026-01-10
}
}
when effective(policy("CN-PRC"), Period(Year(2025))) {
// 税负模拟:股息与资本利得在对应辖区与期间规则下计算
let divTax = tax_on_dividends(chenPortfolio, for=Year(2025))
}
when effective(policy("CN-PRC"), Period(Year(2026))) {
let capGainTax = tax_on_capital_gain(chenPortfolio, for=Year(2026))
}
report "InvestmentTax_25_26" for chen {
table "ByYear" {
columns: ["Year","Dividends","DividendTax","CapitalGain","CapGainTax"]
rows: [
[ 2025, 1_000 USD, divTax, 0 USD, 0 USD ],
[ 2026, 0 USD, 0 USD, 5_000 USD, capGainTax ]
]
}
export to csv sink "memory://reports/investment_tax.csv"
}
module CrossYear.Scenarios
import rulepack "US-Federal" version "2024.2"
taxpayer dana { id:"TP-004" @pii, residency:"US-TX", filingStatus:"Single" }
scenario "A_no_retirement" {
// 不进行递延账户贡献
}
scenario "B_retirement_contrib" {
account Retirement(type="IRA", taxAdvantaged=true) for dana {
contribution(Year(2025)) = 5_000 USD
contribution(Year(2026)) = 5_000 USD
}
}
report "Compare_2025_2026" for dana {
table "TaxDelta" {
columns: ["Scenario","Year","AGI","TotalTax"]
rows: for s in ["A_no_retirement","B_retirement_contrib"], y in [2025, 2026] {
let f = form("US1040", Year(y)).compute(for=dana, under=scenario(s))
[ s, y, f.line("AGI"), f.line("TotalTax") ]
}
}
// 输出情景对比指标,不输出建议
export to json sink "memory://reports/compare_25_26.json"
}
module Education.Accounts
import rulepack "US-Federal" version "2023.4" // 为演示生效期错误
taxpayer eve { id:"TP-005" @pii, residency:"US-NY" }
account Education(type="529", jurisdiction="US-Federal") for eve {
contribution(Year(2025)) = 8_000 USD
}
when effective(policy("US-Federal"), Period(Year(2025))) {
// 由于导入的是 2023.4 版本,生效期不匹配,静态分析或运行时将报错
validate rule EducationContributionLimit for eve
}
module Tooling.Testgen
import rulepack "US-Federal" version "2024.2"
gen Taxpayer "HNW_Profiles" count 100 seed 7 {
income.capitalGains ~ dist.pareto(alpha=2.0, scale=50_000, currency="USD")
residency ~ pick(["US-NY","US-CA"])
ensure constraints {
if residency=="US-CA" then property_tax <= limit(...)
}
}
report "HNW_Aggregate" {
table "Summary" {
columns: ["Residency","Avg_AGI","Avg_TotalTax"]
rows: group by residency in dataset("HNW_Profiles") {
[ residency,
avg(form("US1040", Year(2024)).line("AGI")),
avg(form("US1040", Year(2024)).line("TotalTax")) ]
}
}
export to parquet sink "memory://reports/hnw_agg.parquet"
}
技术选型
实现优先级(里程碑)
注意事项
说明与合规声明:
用一条高效提示词,快速生成一套“个人理财专用编程语言”的完整设计蓝图,帮助你:1) 把复杂理财需求转化为清晰、可落地的语言规则与功能模块;2) 内置数据安全与合规校验的护栏,降低风险;3) 覆盖预算管理、投资追踪、债务优化、税务规划等核心场景;4) 一次性产出架构图、语法规范、功能说明、使用示例与实施建议,便于团队评审与迭代;5) 缩短从概念到原型的周期,提升试用体验与付费转化。
快速提炼理财需求,生成语法草案与功能模块清单,附示例与路线图,迅速做出可运行原型并验证方向。
将业务规则转化为语言能力,借助场景模板验证预算与投资追踪,统一团队认知,把控合规与上线节奏。
一键生成类型与校验机制,快速搭建预算、债务管理模块,减少手写规则与维护成本,加速迭代。
将模板生成的提示词复制粘贴到您常用的 Chat 应用(如 ChatGPT、Claude 等),即可直接对话使用,无需额外开发。适合个人快速体验和轻量使用场景。
把提示词模板转化为 API,您的程序可任意修改模板参数,通过接口直接调用,轻松实现自动化与批量处理。适合开发者集成与业务系统嵌入。
在 MCP client 中配置对应的 server 地址,让您的 AI 应用自动调用提示词模板。适合高级用户和团队协作,让提示词在不同 AI 工具间无缝衔接。
免费获取高级提示词-优惠即将到期