Initial commit: Claude Skills Factory with 8 refined custom skills
Custom Skills (ourdigital-custom-skills/): - 00-ourdigital-visual-storytelling: Blog featured image prompt generator - 01-ourdigital-research-publisher: Research-to-publication workflow - 02-notion-organizer: Notion workspace management - 03-research-to-presentation: Notion research to PPT/Figma - 04-seo-gateway-strategist: SEO gateway page strategy planning - 05-gateway-page-content-builder: Gateway page content generation - 20-jamie-brand-editor: Jamie Clinic branded content GENERATION - 21-jamie-brand-guardian: Jamie Clinic content REVIEW & evaluation Refinements applied: - All skills converted to SKILL.md format with YAML frontmatter - Added version fields to all skills - Flattened nested folder structures - Removed packaging artifacts (.zip, .skill files) - Reorganized file structures (scripts/, references/, etc.) - Differentiated Jamie skills with clear roles 🤖 Generated with [Claude Code](https://claude.ai/code) Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
10
.claude/settings.local.json
Normal file
10
.claude/settings.local.json
Normal file
@@ -0,0 +1,10 @@
|
||||
{
|
||||
"permissions": {
|
||||
"allow": [
|
||||
"Bash(find:*)",
|
||||
"Bash(git init:*)",
|
||||
"Bash(unzip:*)",
|
||||
"Bash(git add:*)"
|
||||
]
|
||||
}
|
||||
}
|
||||
80
.gitignore
vendored
Normal file
80
.gitignore
vendored
Normal file
@@ -0,0 +1,80 @@
|
||||
# macOS
|
||||
.DS_Store
|
||||
.AppleDouble
|
||||
.LSOverride
|
||||
._*
|
||||
|
||||
# Thumbnails
|
||||
._*
|
||||
|
||||
# Files that might appear in the root of a volume
|
||||
.DocumentRevisions-V100
|
||||
.fseventsd
|
||||
.Spotlight-V100
|
||||
.TemporaryItems
|
||||
.Trashes
|
||||
.VolumeIcon.icns
|
||||
.com.apple.timemachine.donotpresent
|
||||
|
||||
# Directories potentially created on remote AFP share
|
||||
.AppleDB
|
||||
.AppleDesktop
|
||||
Network Trash Folder
|
||||
Temporary Items
|
||||
.apdisk
|
||||
|
||||
# IDE and Editor
|
||||
.vscode/
|
||||
.idea/
|
||||
*.swp
|
||||
*.swo
|
||||
*~
|
||||
|
||||
# Python
|
||||
__pycache__/
|
||||
*.py[cod]
|
||||
*$py.class
|
||||
*.so
|
||||
.Python
|
||||
env/
|
||||
venv/
|
||||
.env
|
||||
.venv/
|
||||
pip-log.txt
|
||||
pip-delete-this-directory.txt
|
||||
|
||||
# Distribution / packaging
|
||||
*.zip
|
||||
*.tar.gz
|
||||
*.rar
|
||||
*.skill
|
||||
|
||||
# Skill packaging artifacts (regenerate with package_skill.py)
|
||||
*.zip
|
||||
|
||||
# Reference raw data (large files, source materials)
|
||||
# Uncomment if you want to exclude raw reference data
|
||||
# **/Reference Raw Data/
|
||||
|
||||
# Large binary files (consider Git LFS for these)
|
||||
*.pdf
|
||||
*.xlsx
|
||||
*.pptx
|
||||
*.docx
|
||||
|
||||
# Temporary files
|
||||
*.tmp
|
||||
*.temp
|
||||
*.log
|
||||
|
||||
# Node (if any skills use JS)
|
||||
node_modules/
|
||||
npm-debug.log*
|
||||
|
||||
# Secrets (never commit)
|
||||
.env
|
||||
.env.local
|
||||
*.key
|
||||
*.pem
|
||||
credentials.json
|
||||
secrets.json
|
||||
98
CLAUDE.md
Normal file
98
CLAUDE.md
Normal file
@@ -0,0 +1,98 @@
|
||||
# CLAUDE.md
|
||||
|
||||
This file provides guidance to Claude Code (claude.ai/code) when working with code in this repository.
|
||||
|
||||
## Repository Overview
|
||||
|
||||
This is a Claude Skills collection repository containing:
|
||||
- **ourdigital-custom-skills/**: Organization-specific skills (OurDigital workflows, Jamie Brand, SEO tools)
|
||||
- **claude-skills-examples/**: Reference examples from Anthropic's official skills repository
|
||||
- **official-skills-collection/**: Notion integration skills and other 3rd party examples
|
||||
- **reference/**: Format requirements documentation
|
||||
|
||||
## Skill Structure
|
||||
|
||||
Every skill must follow this structure:
|
||||
```
|
||||
skill-name/
|
||||
├── SKILL.md (required) # YAML frontmatter + instructions
|
||||
├── scripts/ # Executable code (Python/Bash)
|
||||
├── references/ # Documentation loaded as needed
|
||||
├── assets/ # Templates, images, fonts
|
||||
├── templates/ # Output templates (HTML, MD)
|
||||
└── examples/ # Usage examples
|
||||
```
|
||||
|
||||
### SKILL.md Format Requirements
|
||||
|
||||
All SKILL.md files MUST start with YAML frontmatter:
|
||||
```yaml
|
||||
---
|
||||
name: skill-name-here # lowercase with hyphens, required
|
||||
version: 1.0.0 # semantic versioning
|
||||
description: Description # when Claude should use this skill, required
|
||||
author: Author Name
|
||||
tags:
|
||||
- tag1
|
||||
- tag2
|
||||
---
|
||||
```
|
||||
|
||||
## Creating New Skills
|
||||
|
||||
Use the skill creator initialization script:
|
||||
```bash
|
||||
python claude-skills-examples/skills-main/skill-creator/scripts/init_skill.py <skill-name> --path <output-directory>
|
||||
```
|
||||
|
||||
Package a skill for distribution:
|
||||
```bash
|
||||
python claude-skills-examples/skills-main/skill-creator/scripts/package_skill.py <path/to/skill-folder>
|
||||
```
|
||||
|
||||
## Skill Design Principles
|
||||
|
||||
1. **Progressive Disclosure**: Skills use three-level loading:
|
||||
- Metadata (name + description) - always in context (~100 words)
|
||||
- SKILL.md body - when skill triggers (<5k words)
|
||||
- Bundled resources - as needed by Claude
|
||||
|
||||
2. **Writing Style**: Use imperative/infinitive form (verb-first), not second person. Write for AI consumption.
|
||||
|
||||
3. **Resource Organization**:
|
||||
- `scripts/` - For repeatedly rewritten or deterministic code
|
||||
- `references/` - For documentation Claude reads while working (keep >10k word files searchable via grep patterns)
|
||||
- `assets/` - For output resources (templates, images) not loaded into context
|
||||
|
||||
## Directory Layout
|
||||
|
||||
```
|
||||
ourdigital-custom-skills/ # Production custom skills
|
||||
├── 00-ourdigital-visual-storytelling/ # Blog featured image prompts
|
||||
├── 01-ourdigital-research-publisher/ # Research-to-publication workflow
|
||||
├── 02-notion-organizer/ # Notion workspace management
|
||||
├── 03-research-to-presentation/ # Research to slides (legacy format)
|
||||
├── 04-seo-gateway-strategist/ # SEO gateway page planning
|
||||
├── 05-gateway-page-content-builder/ # Gateway page content generation
|
||||
├── 20-jamie-brand-editor/ # Jamie Clinic content editor
|
||||
└── 21-jamie-brand-guardian/ # Jamie Clinic brand compliance
|
||||
|
||||
claude-skills-examples/skills-main/ # Anthropic reference examples
|
||||
├── skill-creator/ # Meta skill for creating skills
|
||||
├── document-skills/ # docx, pdf, pptx, xlsx manipulation
|
||||
├── algorithmic-art/ # p5.js generative art
|
||||
├── mcp-builder/ # MCP server creation guide
|
||||
└── webapp-testing/ # Playwright testing
|
||||
|
||||
official-skills-collection/ # 3rd party skills
|
||||
├── notion-meeting-intelligence/
|
||||
├── notion-research-documentation/
|
||||
├── notion-knowledge-capture/
|
||||
└── notion-spec-to-implementation/
|
||||
```
|
||||
|
||||
## Key Reference Files
|
||||
|
||||
- `reference/SKILL-FORMAT-REQUIREMENTS.md` - Format specification
|
||||
- `claude-skills-examples/skills-main/skill-creator/SKILL.md` - Comprehensive skill creation guide
|
||||
- `claude-skills-examples/skills-main/README.md` - Official skills documentation
|
||||
@@ -0,0 +1,641 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="ko">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>Jamie Clinic Logo Guidelines</title>
|
||||
<style>
|
||||
* {
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
box-sizing: border-box;
|
||||
}
|
||||
|
||||
body {
|
||||
font-family: 'Noto Sans KR', -apple-system, BlinkMacSystemFont, sans-serif;
|
||||
background: #f8f9fa;
|
||||
color: #333;
|
||||
line-height: 1.6;
|
||||
}
|
||||
|
||||
.container {
|
||||
max-width: 1200px;
|
||||
margin: 0 auto;
|
||||
padding: 40px 20px;
|
||||
}
|
||||
|
||||
header {
|
||||
text-align: center;
|
||||
margin-bottom: 60px;
|
||||
padding: 60px 40px;
|
||||
background: linear-gradient(135deg, #000 0%, #1a1a1a 100%);
|
||||
border-radius: 20px;
|
||||
color: white;
|
||||
}
|
||||
|
||||
header h1 {
|
||||
font-size: 2.5rem;
|
||||
font-weight: 700;
|
||||
margin-bottom: 10px;
|
||||
color: #79A233;
|
||||
}
|
||||
|
||||
header p {
|
||||
font-size: 1.1rem;
|
||||
opacity: 0.8;
|
||||
}
|
||||
|
||||
section {
|
||||
background: white;
|
||||
border-radius: 16px;
|
||||
padding: 40px;
|
||||
margin-bottom: 30px;
|
||||
box-shadow: 0 2px 20px rgba(0,0,0,0.06);
|
||||
}
|
||||
|
||||
section h2 {
|
||||
font-size: 1.5rem;
|
||||
color: #79A233;
|
||||
margin-bottom: 30px;
|
||||
padding-bottom: 15px;
|
||||
border-bottom: 2px solid #f1f4eb;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 10px;
|
||||
}
|
||||
|
||||
section h2::before {
|
||||
content: '';
|
||||
width: 4px;
|
||||
height: 24px;
|
||||
background: #79A233;
|
||||
border-radius: 2px;
|
||||
}
|
||||
|
||||
h3 {
|
||||
font-size: 1.1rem;
|
||||
color: #555;
|
||||
margin: 25px 0 15px;
|
||||
}
|
||||
|
||||
.logo-grid {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(280px, 1fr));
|
||||
gap: 30px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.logo-card {
|
||||
border: 1px solid #eee;
|
||||
border-radius: 12px;
|
||||
overflow: hidden;
|
||||
transition: transform 0.2s, box-shadow 0.2s;
|
||||
}
|
||||
|
||||
.logo-card:hover {
|
||||
transform: translateY(-4px);
|
||||
box-shadow: 0 8px 30px rgba(0,0,0,0.1);
|
||||
}
|
||||
|
||||
.logo-preview {
|
||||
height: 200px;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
padding: 30px;
|
||||
}
|
||||
|
||||
.logo-preview.dark {
|
||||
background: #000;
|
||||
}
|
||||
|
||||
.logo-preview.light {
|
||||
background: #fff;
|
||||
border-bottom: 1px solid #eee;
|
||||
}
|
||||
|
||||
.logo-preview.green {
|
||||
background: #79A233;
|
||||
}
|
||||
|
||||
.logo-preview img {
|
||||
max-width: 100%;
|
||||
max-height: 100%;
|
||||
object-fit: contain;
|
||||
}
|
||||
|
||||
.logo-info {
|
||||
padding: 20px;
|
||||
background: #fafafa;
|
||||
}
|
||||
|
||||
.logo-info h4 {
|
||||
font-size: 1rem;
|
||||
color: #333;
|
||||
margin-bottom: 8px;
|
||||
}
|
||||
|
||||
.logo-info p {
|
||||
font-size: 0.85rem;
|
||||
color: #666;
|
||||
}
|
||||
|
||||
.logo-info .tag {
|
||||
display: inline-block;
|
||||
padding: 4px 10px;
|
||||
background: #f1f4eb;
|
||||
color: #6d7856;
|
||||
border-radius: 20px;
|
||||
font-size: 0.75rem;
|
||||
margin-top: 10px;
|
||||
}
|
||||
|
||||
.color-palette {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(200px, 1fr));
|
||||
gap: 20px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.color-item {
|
||||
border-radius: 12px;
|
||||
overflow: hidden;
|
||||
box-shadow: 0 2px 10px rgba(0,0,0,0.08);
|
||||
}
|
||||
|
||||
.color-swatch {
|
||||
height: 100px;
|
||||
}
|
||||
|
||||
.color-info {
|
||||
padding: 15px;
|
||||
background: white;
|
||||
}
|
||||
|
||||
.color-info h4 {
|
||||
font-size: 0.9rem;
|
||||
margin-bottom: 5px;
|
||||
}
|
||||
|
||||
.color-info code {
|
||||
font-family: 'SF Mono', Monaco, monospace;
|
||||
font-size: 0.85rem;
|
||||
color: #666;
|
||||
}
|
||||
|
||||
.rules-grid {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(250px, 1fr));
|
||||
gap: 20px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.rule-card {
|
||||
padding: 25px;
|
||||
border-radius: 12px;
|
||||
border: 1px solid #eee;
|
||||
}
|
||||
|
||||
.rule-card.do {
|
||||
background: linear-gradient(135deg, #f0f9e8 0%, #e8f5e0 100%);
|
||||
border-color: #c8e6c9;
|
||||
}
|
||||
|
||||
.rule-card.dont {
|
||||
background: linear-gradient(135deg, #fff5f5 0%, #ffebee 100%);
|
||||
border-color: #ffcdd2;
|
||||
}
|
||||
|
||||
.rule-card h4 {
|
||||
font-size: 1rem;
|
||||
margin-bottom: 15px;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 8px;
|
||||
}
|
||||
|
||||
.rule-card.do h4 {
|
||||
color: #2e7d32;
|
||||
}
|
||||
|
||||
.rule-card.dont h4 {
|
||||
color: #c62828;
|
||||
}
|
||||
|
||||
.rule-card ul {
|
||||
list-style: none;
|
||||
padding: 0;
|
||||
}
|
||||
|
||||
.rule-card li {
|
||||
padding: 8px 0;
|
||||
font-size: 0.9rem;
|
||||
color: #555;
|
||||
display: flex;
|
||||
align-items: flex-start;
|
||||
gap: 8px;
|
||||
}
|
||||
|
||||
.rule-card.do li::before {
|
||||
content: '✓';
|
||||
color: #2e7d32;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.rule-card.dont li::before {
|
||||
content: '✗';
|
||||
color: #c62828;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.spec-table {
|
||||
width: 100%;
|
||||
border-collapse: collapse;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.spec-table th,
|
||||
.spec-table td {
|
||||
padding: 15px;
|
||||
text-align: left;
|
||||
border-bottom: 1px solid #eee;
|
||||
}
|
||||
|
||||
.spec-table th {
|
||||
background: #f8f9fa;
|
||||
font-weight: 600;
|
||||
color: #555;
|
||||
font-size: 0.85rem;
|
||||
text-transform: uppercase;
|
||||
letter-spacing: 0.5px;
|
||||
}
|
||||
|
||||
.spec-table td {
|
||||
font-size: 0.95rem;
|
||||
}
|
||||
|
||||
.spec-table tr:hover {
|
||||
background: #fafafa;
|
||||
}
|
||||
|
||||
.clearspace-demo {
|
||||
background: #f5f5f5;
|
||||
padding: 40px;
|
||||
border-radius: 12px;
|
||||
text-align: center;
|
||||
margin: 20px 0;
|
||||
}
|
||||
|
||||
.clearspace-box {
|
||||
display: inline-block;
|
||||
border: 2px dashed #79A233;
|
||||
padding: 40px;
|
||||
position: relative;
|
||||
}
|
||||
|
||||
.clearspace-box::before {
|
||||
content: 'X';
|
||||
position: absolute;
|
||||
top: 10px;
|
||||
left: 50%;
|
||||
transform: translateX(-50%);
|
||||
color: #79A233;
|
||||
font-size: 0.8rem;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.clearspace-box::after {
|
||||
content: 'X';
|
||||
position: absolute;
|
||||
left: 10px;
|
||||
top: 50%;
|
||||
transform: translateY(-50%);
|
||||
color: #79A233;
|
||||
font-size: 0.8rem;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.logo-placeholder {
|
||||
background: #000;
|
||||
color: #79A233;
|
||||
padding: 20px 40px;
|
||||
font-weight: bold;
|
||||
font-size: 1.5rem;
|
||||
border-radius: 4px;
|
||||
}
|
||||
|
||||
.note-box {
|
||||
background: #fff3cd;
|
||||
border-left: 4px solid #ffc107;
|
||||
padding: 15px 20px;
|
||||
margin: 20px 0;
|
||||
border-radius: 0 8px 8px 0;
|
||||
}
|
||||
|
||||
.note-box p {
|
||||
font-size: 0.9rem;
|
||||
color: #856404;
|
||||
}
|
||||
|
||||
.file-list {
|
||||
display: grid;
|
||||
gap: 15px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.file-item {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 15px;
|
||||
padding: 15px 20px;
|
||||
background: #f8f9fa;
|
||||
border-radius: 10px;
|
||||
border: 1px solid #eee;
|
||||
}
|
||||
|
||||
.file-icon {
|
||||
width: 50px;
|
||||
height: 50px;
|
||||
background: #79A233;
|
||||
border-radius: 10px;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
color: white;
|
||||
font-weight: bold;
|
||||
font-size: 0.7rem;
|
||||
}
|
||||
|
||||
.file-details h4 {
|
||||
font-size: 0.95rem;
|
||||
margin-bottom: 4px;
|
||||
}
|
||||
|
||||
.file-details p {
|
||||
font-size: 0.8rem;
|
||||
color: #888;
|
||||
}
|
||||
|
||||
footer {
|
||||
text-align: center;
|
||||
padding: 40px;
|
||||
color: #888;
|
||||
font-size: 0.9rem;
|
||||
}
|
||||
|
||||
@media (max-width: 768px) {
|
||||
header h1 {
|
||||
font-size: 1.8rem;
|
||||
}
|
||||
|
||||
section {
|
||||
padding: 25px;
|
||||
}
|
||||
|
||||
.logo-grid {
|
||||
grid-template-columns: 1fr;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<div class="container">
|
||||
<header>
|
||||
<h1>Jamie Clinic Logo Guidelines</h1>
|
||||
<p>제이미성형외과 로고 가이드라인 v1.0</p>
|
||||
</header>
|
||||
|
||||
<!-- 로고 버전 -->
|
||||
<section>
|
||||
<h2>로고 버전</h2>
|
||||
<p>제이미성형외과의 공식 로고는 여성 얼굴 측면 실루엣(심볼)과 워드마크의 조합으로 구성됩니다.</p>
|
||||
|
||||
<div class="logo-grid">
|
||||
<div class="logo-card">
|
||||
<div class="logo-preview light">
|
||||
<div style="display: flex; align-items: center; gap: 15px;">
|
||||
<svg width="60" height="80" viewBox="0 0 60 80">
|
||||
<path d="M0 0 L0 80 L30 80 Q60 70 50 40 Q60 20 40 10 Q30 0 0 0" fill="#000"/>
|
||||
</svg>
|
||||
<div style="font-weight: bold; font-size: 1.2rem; color: #000;">
|
||||
제이미<br>성형외과
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class="logo-info">
|
||||
<h4>국문 조합형 (밝은 배경)</h4>
|
||||
<p>간판, 명판, 공식 문서, 인쇄물용</p>
|
||||
<span class="tag">Primary</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="logo-card">
|
||||
<div class="logo-preview dark">
|
||||
<div style="display: flex; flex-direction: column; align-items: center; gap: 10px;">
|
||||
<svg width="80" height="100" viewBox="0 0 60 80">
|
||||
<path d="M60 0 L60 80 L30 80 Q0 70 10 40 Q0 20 20 10 Q30 0 60 0" fill="#fff"/>
|
||||
</svg>
|
||||
<div style="font-weight: bold; font-size: 1.3rem; color: #fff; letter-spacing: 2px;">
|
||||
JAMIE
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class="logo-info">
|
||||
<h4>영문 정사각형 (흰색)</h4>
|
||||
<p>다크 배경, SNS 프로필 (Instagram, YouTube)</p>
|
||||
<span class="tag">Monochrome</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="logo-card">
|
||||
<div class="logo-preview dark">
|
||||
<div style="display: flex; flex-direction: column; align-items: center; gap: 10px;">
|
||||
<svg width="80" height="100" viewBox="0 0 60 80">
|
||||
<path d="M60 0 L60 80 L30 80 Q0 70 10 40 Q0 20 20 10 Q30 0 60 0" fill="#79A233"/>
|
||||
</svg>
|
||||
<div style="font-weight: bold; font-size: 1.3rem; color: #79A233; letter-spacing: 2px;">
|
||||
JAMIE
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class="logo-info">
|
||||
<h4>영문 정사각형 (브랜드 그린)</h4>
|
||||
<p>브랜드 컬러 강조, 마케팅 자료</p>
|
||||
<span class="tag">Brand Color</span>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 컬러 팔레트 -->
|
||||
<section>
|
||||
<h2>로고 컬러</h2>
|
||||
<p>로고에 사용 가능한 공식 컬러입니다. 이 외의 색상은 사용할 수 없습니다.</p>
|
||||
|
||||
<div class="color-palette">
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #79A233;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Jamie Green</h4>
|
||||
<code>#79A233</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #AFCC6D;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Jamie Light Green</h4>
|
||||
<code>#AFCC6D</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #6d7856;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Jamie Main</h4>
|
||||
<code>#6d7856</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #000000;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Black</h4>
|
||||
<code>#000000</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #FFFFFF; border: 1px solid #eee;"></div>
|
||||
<div class="color-info">
|
||||
<h4>White</h4>
|
||||
<code>#FFFFFF</code>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 여백 규정 -->
|
||||
<section>
|
||||
<h2>여백 규정 (Clear Space)</h2>
|
||||
<p>로고 주변에는 최소 여백을 확보하여 가독성을 보장합니다.</p>
|
||||
|
||||
<div class="clearspace-demo">
|
||||
<div class="clearspace-box">
|
||||
<div class="logo-placeholder">JAMIE</div>
|
||||
</div>
|
||||
<p style="margin-top: 20px; color: #666; font-size: 0.9rem;">
|
||||
X = 로고 높이의 25% (또는 워드마크 'J' 높이)
|
||||
</p>
|
||||
</div>
|
||||
|
||||
<div class="note-box">
|
||||
<p><strong>Note:</strong> 상하좌우 동일하게 X값을 적용하며, 다른 그래픽 요소나 텍스트와 충분한 간격을 유지해야 합니다.</p>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 최소 크기 -->
|
||||
<section>
|
||||
<h2>최소 크기</h2>
|
||||
|
||||
<table class="spec-table">
|
||||
<thead>
|
||||
<tr>
|
||||
<th>매체</th>
|
||||
<th>최소 크기</th>
|
||||
<th>비고</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
<tr>
|
||||
<td>인쇄물</td>
|
||||
<td>너비 25mm</td>
|
||||
<td>명함, 브로슈어 등</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>디지털 (일반)</td>
|
||||
<td>너비 80px</td>
|
||||
<td>웹, 앱 등</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>파비콘</td>
|
||||
<td>16×16px</td>
|
||||
<td>심볼만 사용</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>SNS 프로필</td>
|
||||
<td>180×180px</td>
|
||||
<td>정사각형 로고</td>
|
||||
</tr>
|
||||
</tbody>
|
||||
</table>
|
||||
</section>
|
||||
|
||||
<!-- 사용 규칙 -->
|
||||
<section>
|
||||
<h2>사용 규칙</h2>
|
||||
|
||||
<div class="rules-grid">
|
||||
<div class="rule-card do">
|
||||
<h4>✓ Do's (권장)</h4>
|
||||
<ul>
|
||||
<li>공식 파일만 사용</li>
|
||||
<li>충분한 여백 확보</li>
|
||||
<li>적절한 배경 대비 유지</li>
|
||||
<li>최소 크기 이상으로 사용</li>
|
||||
<li>승인된 컬러만 적용</li>
|
||||
</ul>
|
||||
</div>
|
||||
|
||||
<div class="rule-card dont">
|
||||
<h4>✗ Don'ts (금지)</h4>
|
||||
<ul>
|
||||
<li>비율 변형 (늘리기, 줄이기)</li>
|
||||
<li>색상 임의 변경</li>
|
||||
<li>효과 추가 (그림자, 발광)</li>
|
||||
<li>복잡한 배경 위 사용</li>
|
||||
<li>로고 일부 자르기</li>
|
||||
<li>회전하여 사용</li>
|
||||
</ul>
|
||||
</div>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 파일 목록 -->
|
||||
<section>
|
||||
<h2>로고 파일</h2>
|
||||
|
||||
<h3>현재 보유 파일</h3>
|
||||
<div class="file-list">
|
||||
<div class="file-item">
|
||||
<div class="file-icon">PNG</div>
|
||||
<div class="file-details">
|
||||
<h4>_Jamie-Clinic-plaque.png</h4>
|
||||
<p>국문 조합형 • 밝은 배경용</p>
|
||||
</div>
|
||||
</div>
|
||||
<div class="file-item">
|
||||
<div class="file-icon">WEBP</div>
|
||||
<div class="file-details">
|
||||
<h4>jamie_logo_f_j.webp</h4>
|
||||
<p>영문 정사각형 • 흰색 • 다크 배경용</p>
|
||||
</div>
|
||||
</div>
|
||||
<div class="file-item">
|
||||
<div class="file-icon">JPG</div>
|
||||
<div class="file-details">
|
||||
<h4>Jamie-Clinic-Logo-Square-500x500-dark.jpg</h4>
|
||||
<p>영문 정사각형 • 브랜드 그린 • 500×500px</p>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<h3 style="margin-top: 30px;">추가 필요 파일 (권장)</h3>
|
||||
<div class="note-box">
|
||||
<p>벡터 원본 파일(AI, SVG)과 심볼만 있는 파일이 필요합니다. 파비콘, 앱 아이콘 등 다양한 크기로 사용하기 위해 벡터 파일 확보를 권장합니다.</p>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<footer>
|
||||
<p>Jamie Clinic Logo Guidelines v1.0 • 2025-12-09</p>
|
||||
<p style="margin-top: 5px; font-size: 0.8rem;">제이미성형외과 마케팅팀</p>
|
||||
</footer>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
||||
@@ -0,0 +1,324 @@
|
||||
# 제이미성형외과 로고 가이드라인
|
||||
## Jamie Clinic Logo Guidelines
|
||||
|
||||
**버전**: 1.0
|
||||
**작성일**: 2025-12-09
|
||||
**참조 파일**:
|
||||
- _Jamie-Clinic-plaque.png
|
||||
- jamie_logo_f_j.webp
|
||||
- Jamie-Clinic-Logo-Square-500x500-dark.jpg
|
||||
|
||||
---
|
||||
|
||||
## 1. 로고 구성 요소
|
||||
|
||||
### 1.1 심볼 마크 (Symbol Mark)
|
||||
|
||||
```
|
||||
┌────────────────────────────────────────┐
|
||||
│ │
|
||||
│ ████ │
|
||||
│ ██ ██ │
|
||||
│ ██ ██ │
|
||||
│ ██ ██ 여성 얼굴 측면 실루엣 │
|
||||
│ ██ ██ (Face Profile) │
|
||||
│ ██ ██ │
|
||||
│ ████ │
|
||||
│ ██ │
|
||||
│ │
|
||||
└────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
**설명**:
|
||||
- 여성 얼굴의 측면 실루엣
|
||||
- 성형외과의 전문 분야인 '얼굴 성형'을 상징
|
||||
- 자연스럽고 아름다운 윤곽선 강조
|
||||
- 우아하고 세련된 이미지 전달
|
||||
|
||||
### 1.2 워드마크 (Wordmark)
|
||||
|
||||
| 언어 | 표기 | 서체 스타일 |
|
||||
|-----|------|------------|
|
||||
| 국문 | 제이미 성형외과 | 고딕 계열, Bold |
|
||||
| 영문 | JAMIE | Sans-serif, Bold, 대문자 |
|
||||
|
||||
### 1.3 조합형 로고 (Combination Mark)
|
||||
|
||||
**가로형 (국문)**
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ │
|
||||
│ [실루엣] 제이미 │
|
||||
│ 성형외과 │
|
||||
│ │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
**정사각형 (영문)**
|
||||
```
|
||||
┌───────────────────┐
|
||||
│ │
|
||||
│ [실루엣] │
|
||||
│ │
|
||||
│ JAMIE │
|
||||
│ │
|
||||
└───────────────────┘
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 2. 로고 버전
|
||||
|
||||
### 2.1 공식 로고 버전
|
||||
|
||||
| 버전 | 용도 | 파일 |
|
||||
|-----|------|------|
|
||||
| **국문 가로형** | 간판, 명판, 공식 문서, 인쇄물 | _Jamie-Clinic-plaque.png |
|
||||
| **영문 정사각형 (흰색)** | 다크 배경, SNS 프로필 | jamie_logo_f_j.webp |
|
||||
| **영문 정사각형 (그린)** | 브랜드 컬러 강조, 마케팅 | Jamie-Clinic-Logo-Square-500x500-dark.jpg |
|
||||
|
||||
### 2.2 컬러 변형
|
||||
|
||||
#### Primary (기본)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ 검정 배경 + Jamie Green 실루엣 │
|
||||
│ Background: #000000 │
|
||||
│ Symbol: #79A233 (Jamie Green) │
|
||||
│ Text: #79A233 (Jamie Green) │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
#### Monochrome - Dark (다크 모노크롬)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ 검정 배경 + 흰색 │
|
||||
│ Background: #000000 │
|
||||
│ Symbol: #FFFFFF │
|
||||
│ Text: #FFFFFF │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
#### Monochrome - Light (라이트 모노크롬)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ 흰색/밝은 배경 + 검정 │
|
||||
│ Background: #FFFFFF │
|
||||
│ Symbol: #000000 │
|
||||
│ Text: #000000 │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
#### Reversed (반전)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ Jamie Green 배경 + 흰색 │
|
||||
│ Background: #79A233 │
|
||||
│ Symbol: #FFFFFF │
|
||||
│ Text: #FFFFFF │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 3. 로고 사용 규정
|
||||
|
||||
### 3.1 최소 크기 (Minimum Size)
|
||||
|
||||
| 매체 | 최소 너비 | 설명 |
|
||||
|-----|----------|------|
|
||||
| **인쇄물** | 25mm | 명함, 브로슈어 등 |
|
||||
| **디지털** | 80px | 웹, 앱, SNS 등 |
|
||||
| **파비콘** | 16×16px | 심볼만 사용 |
|
||||
| **SNS 프로필** | 180×180px | 정사각형 로고 |
|
||||
|
||||
### 3.2 여백 규정 (Clear Space)
|
||||
|
||||
로고 주변에는 최소 여백(Clear Space)을 확보하여 가독성을 보장합니다.
|
||||
|
||||
```
|
||||
┌─────────────────────────────────────────┐
|
||||
│ │
|
||||
│ ┌───────────────────────────┐ │
|
||||
│ │ ← X → │ │
|
||||
│ │ ↑ │ │
|
||||
│ │ X ┌───────────┐ │ │
|
||||
│ │ ↓ │ LOGO │ │ │
|
||||
│ │ └───────────┘ │ │
|
||||
│ │ ← X → │ │
|
||||
│ └───────────────────────────┘ │
|
||||
│ │
|
||||
└─────────────────────────────────────────┘
|
||||
|
||||
X = 로고 높이의 25% (또는 워드마크 'J' 높이)
|
||||
```
|
||||
|
||||
**여백 기준**:
|
||||
- 상하좌우 동일하게 X값 적용
|
||||
- 다른 그래픽 요소, 텍스트와 충분한 간격 유지
|
||||
- 가장자리(테두리)에 너무 가깝게 배치 금지
|
||||
|
||||
### 3.3 배치 가이드
|
||||
|
||||
| 위치 | 권장 | 비권장 |
|
||||
|-----|------|--------|
|
||||
| **문서 헤더** | 좌측 상단 또는 중앙 | 우측 하단 |
|
||||
| **명함** | 전면 중앙 또는 좌측 | 뒤집어서 배치 |
|
||||
| **웹사이트** | 좌측 상단 (헤더) | 푸터에만 배치 |
|
||||
| **SNS** | 프로필 이미지 중앙 | 잘린 상태로 사용 |
|
||||
|
||||
---
|
||||
|
||||
## 4. 로고 사용 금지 사항
|
||||
|
||||
### 4.1 비율 변형 금지
|
||||
|
||||
```
|
||||
❌ 가로로 늘리기 ❌ 세로로 늘리기 ❌ 기울이기
|
||||
┌──────────────┐ ┌────┐ ╱────╲
|
||||
│ JAMIE │ │ J │ ╱ JAMIE╲
|
||||
│ (늘어남) │ │ A │ ╱ ╲
|
||||
└──────────────┘ │ M │
|
||||
│ I │
|
||||
│ E │
|
||||
└────┘
|
||||
```
|
||||
|
||||
### 4.2 색상 임의 변경 금지
|
||||
|
||||
```
|
||||
❌ 승인되지 않은 색상 사용
|
||||
- 빨강, 파랑, 노랑 등 브랜드 컬러가 아닌 색상
|
||||
- 그라데이션 적용
|
||||
- 무지개 색상
|
||||
|
||||
✓ 승인된 색상만 사용
|
||||
- #000000 (Black)
|
||||
- #FFFFFF (White)
|
||||
- #79A233 (Jamie Green)
|
||||
- #AFCC6D (Jamie Light Green)
|
||||
- #6d7856 (Jamie Main)
|
||||
```
|
||||
|
||||
### 4.3 배경 대비 부적절 사용 금지
|
||||
|
||||
```
|
||||
❌ 대비 부족 ✓ 충분한 대비
|
||||
|
||||
┌──────────────────┐ ┌──────────────────┐
|
||||
│ ░░░░░░░░░░░░░░░░ │ │ ████████████████ │
|
||||
│ ░░ JAMIE ░░░░░░░ │ │ ██ JAMIE ████ │
|
||||
│ ░░░░░░░░░░░░░░░░ │ │ ████████████████ │
|
||||
└──────────────────┘ └──────────────────┘
|
||||
(밝은 배경 + 밝은 로고) (어두운 배경 + 밝은 로고)
|
||||
```
|
||||
|
||||
### 4.4 기타 금지 사항
|
||||
|
||||
| 금지 사항 | 설명 |
|
||||
|----------|------|
|
||||
| **요소 분리** | 심볼과 워드마크를 임의로 분리하여 사용 |
|
||||
| **효과 추가** | 그림자, 엠보싱, 외곽선, 발광 효과 등 |
|
||||
| **텍스트 변경** | 워드마크 폰트 변경 또는 글자 수정 |
|
||||
| **장식 추가** | 별, 하트, 밑줄 등 장식 요소 추가 |
|
||||
| **복잡한 배경** | 패턴, 사진 위에 직접 배치 (단색 배경 권장) |
|
||||
| **로고 자르기** | 로고의 일부가 잘리도록 배치 |
|
||||
| **회전** | 45°, 90° 등 임의 회전 |
|
||||
|
||||
---
|
||||
|
||||
## 5. 매체별 적용 가이드
|
||||
|
||||
### 5.1 인쇄물
|
||||
|
||||
| 매체 | 권장 버전 | 파일 형식 | 최소 해상도 |
|
||||
|-----|----------|----------|------------|
|
||||
| 명함 | 국문 가로형 | AI, PDF | 300dpi |
|
||||
| 브로슈어 | 국문 가로형 | AI, PDF | 300dpi |
|
||||
| 간판 | 국문 가로형 | AI, EPS | 벡터 |
|
||||
| 봉투/레터헤드 | 국문 가로형 | AI, PDF | 300dpi |
|
||||
|
||||
### 5.2 디지털
|
||||
|
||||
| 매체 | 권장 버전 | 파일 형식 | 권장 크기 |
|
||||
|-----|----------|----------|----------|
|
||||
| 웹사이트 헤더 | 영문 가로형 | PNG, SVG | 높이 60px |
|
||||
| 파비콘 | 심볼만 | ICO, PNG | 32×32px |
|
||||
| 이메일 서명 | 국문 가로형 | PNG | 높이 50px |
|
||||
| SNS 프로필 | 정사각형 | PNG, JPG | 500×500px |
|
||||
|
||||
### 5.3 SNS 채널별
|
||||
|
||||
| 채널 | 프로필 | 커버 | 워터마크 |
|
||||
|-----|-------|------|---------|
|
||||
| Instagram | 정사각형 (그린) | - | 정사각형 (투명) |
|
||||
| YouTube | 정사각형 (흰색) | 국문 가로형 | 정사각형 (투명) |
|
||||
| Naver Blog | 정사각형 (그린) | 국문 가로형 | - |
|
||||
| KakaoTalk | 정사각형 (흰색) | - | - |
|
||||
|
||||
---
|
||||
|
||||
## 6. 로고 파일 목록
|
||||
|
||||
### 6.1 제공 파일
|
||||
|
||||
| 파일명 | 형식 | 크기 | 용도 |
|
||||
|-------|-----|------|------|
|
||||
| _Jamie-Clinic-plaque.png | PNG | 가변 | 국문 조합형, 밝은 배경용 |
|
||||
| jamie_logo_f_j.webp | WebP | 정사각형 | 영문 정사각형, 다크 배경용 (흰색) |
|
||||
| Jamie-Clinic-Logo-Square-500x500-dark.jpg | JPG | 500×500px | 영문 정사각형, 다크 배경용 (그린) |
|
||||
|
||||
### 6.2 추가 필요 파일 (권장)
|
||||
|
||||
| 파일 | 형식 | 용도 | 우선순위 |
|
||||
|-----|-----|------|---------|
|
||||
| jamie_logo_vector.ai | AI | 원본 벡터 (편집용) | 🔴 높음 |
|
||||
| jamie_logo_vector.svg | SVG | 웹용 벡터 | 🔴 높음 |
|
||||
| jamie_symbol_only.png | PNG | 심볼만 (파비콘, 앱 아이콘) | 🔴 높음 |
|
||||
| jamie_logo_kr_horizontal.png | PNG | 국문 가로형 (투명 배경) | 🟡 중간 |
|
||||
| jamie_logo_reversed.png | PNG | 반전 버전 (그린 배경) | 🟢 낮음 |
|
||||
|
||||
---
|
||||
|
||||
## 7. 로고 사용 승인 프로세스
|
||||
|
||||
### 7.1 내부 사용
|
||||
- 마케팅팀 또는 디자인 담당자가 가이드라인에 따라 자유롭게 사용
|
||||
- 새로운 적용 사례는 기록 및 공유
|
||||
|
||||
### 7.2 외부 협력사/대행사 사용
|
||||
1. 로고 파일 요청 시 본 가이드라인 함께 제공
|
||||
2. 시안 검토 단계에서 가이드라인 준수 여부 확인
|
||||
3. 최종 결과물 승인 후 사용
|
||||
|
||||
### 7.3 미디어/언론 사용
|
||||
1. 공식 로고 파일 제공 (압축 파일 형태)
|
||||
2. 가이드라인 준수 요청
|
||||
3. 게재 전 확인 권장
|
||||
|
||||
---
|
||||
|
||||
## 8. 버전 히스토리
|
||||
|
||||
| 버전 | 날짜 | 변경 내용 | 작성자 |
|
||||
|-----|------|----------|-------|
|
||||
| 1.0 | 2025-12-09 | 초안 작성 | Marketing |
|
||||
|
||||
---
|
||||
|
||||
## 부록: 빠른 참조 가이드
|
||||
|
||||
### ✅ Do's (권장)
|
||||
- 공식 파일만 사용
|
||||
- 충분한 여백 확보
|
||||
- 적절한 배경 대비 유지
|
||||
- 최소 크기 이상으로 사용
|
||||
- 승인된 컬러만 적용
|
||||
|
||||
### ❌ Don'ts (금지)
|
||||
- 비율 변형
|
||||
- 색상 임의 변경
|
||||
- 효과 추가 (그림자, 발광 등)
|
||||
- 복잡한 배경 위 사용
|
||||
- 로고 일부 자르기
|
||||
- 다른 요소와 너무 가깝게 배치
|
||||
249
_jamie-reference-raw-data/brand_guide_analysis.md
Normal file
249
_jamie-reference-raw-data/brand_guide_analysis.md
Normal file
@@ -0,0 +1,249 @@
|
||||
# 제이미성형외과 브랜드가이드 v.1.0 분석 및 재구성안
|
||||
|
||||
## 📊 현재 문서 구조 분석
|
||||
|
||||
### 현재 Notion 문서 섹션 순서
|
||||
1. 브랜드 슬로건
|
||||
2. 브랜드 아키텍처
|
||||
3. 병원 기본 정보
|
||||
4. 디지털 채널 현황
|
||||
5. ⚠️ 디지털 채널 문구 점검 필요 사항
|
||||
6. ✅ 디지털 채널 소개글 수정안
|
||||
7. 브랜드 네이밍 표기 규정
|
||||
8. 전문 분야 소개
|
||||
9. 제이미의 약속
|
||||
10. 세부 설명 (운영용)
|
||||
11. Jamie's Promise (English)
|
||||
12. 브랜드 컬러
|
||||
13. 타이포그래피
|
||||
14. CSS 적용 예시
|
||||
15. 참고 자료
|
||||
16. 업데이트 이력
|
||||
17. 카피덱 구성 요약
|
||||
|
||||
### 현재 구조의 문제점
|
||||
| 문제 | 설명 |
|
||||
|------|------|
|
||||
| **논리적 흐름 부재** | 브랜드 핵심 요소가 중간에 흩어져 있음 |
|
||||
| **운영 문서 혼재** | 채널별 수정안(실무용)이 브랜드 가이드(전략용)와 섞여 있음 |
|
||||
| **필수 요소 누락** | 브랜드 미션/비전, 로고 가이드, 톤앤매너 등 누락 |
|
||||
| **중복 콘텐츠** | 슬로건이 여러 섹션에 분산 |
|
||||
| **일관성 부족** | 국문/영문 버전이 분리되어 있어 비교 어려움 |
|
||||
|
||||
---
|
||||
|
||||
## 🏗️ 권장 브랜드가이드 구조
|
||||
|
||||
### Part 1: Brand Foundation (브랜드 기반)
|
||||
```
|
||||
1.1 브랜드 소개
|
||||
- 브랜드 스토리 / 히스토리
|
||||
- 미션 (Mission)
|
||||
- 비전 (Vision)
|
||||
- 핵심 가치 (Core Values)
|
||||
|
||||
1.2 브랜드 아키텍처
|
||||
- 브랜드 에센스
|
||||
- 가치 제안
|
||||
- 브랜드 서약 (Promise)
|
||||
- 브랜드 퍼스낼리티
|
||||
```
|
||||
|
||||
### Part 2: Brand Identity (브랜드 아이덴티티)
|
||||
```
|
||||
2.1 브랜드 네이밍
|
||||
- 공식 명칭 (국문/영문)
|
||||
- 표기 규정
|
||||
- Do's & Don'ts
|
||||
|
||||
2.2 로고 가이드라인
|
||||
- 기본 로고
|
||||
- 로고 변형
|
||||
- 최소 크기
|
||||
- 여백 규정
|
||||
- 금지 사항
|
||||
|
||||
2.3 브랜드 컬러
|
||||
- Primary Colors
|
||||
- Secondary Colors
|
||||
- Background Colors
|
||||
- 컬러 조합 예시
|
||||
|
||||
2.4 타이포그래피
|
||||
- 기본 서체
|
||||
- 대체 서체
|
||||
- 적용 가이드
|
||||
```
|
||||
|
||||
### Part 3: Brand Voice (브랜드 보이스)
|
||||
```
|
||||
3.1 톤앤매너
|
||||
- 브랜드 퍼스낼리티
|
||||
- 커뮤니케이션 원칙
|
||||
- 문체 가이드
|
||||
|
||||
3.2 브랜드 슬로건
|
||||
- 메인 슬로건 (국문/영문)
|
||||
- 서브 슬로건
|
||||
- 사용 가이드
|
||||
|
||||
3.3 제이미의 약속
|
||||
- 4가지 핵심 약속
|
||||
- 세부 설명
|
||||
- 영문 버전
|
||||
```
|
||||
|
||||
### Part 4: Brand Messaging (브랜드 메시징)
|
||||
```
|
||||
4.1 핵심 메시지
|
||||
- 전문 분야 소개
|
||||
- 원장 프로필
|
||||
- 시술 카테고리
|
||||
|
||||
4.2 의료광고법 준수 가이드
|
||||
- 금지 표현
|
||||
- 대체 표현
|
||||
- 필수 고지문
|
||||
```
|
||||
|
||||
### Part 5: Application (적용 가이드)
|
||||
```
|
||||
5.1 디지털 채널 가이드
|
||||
- 웹사이트
|
||||
- 네이버 스마트플레이스
|
||||
- 구글 비즈니스 프로필
|
||||
- 블로그
|
||||
|
||||
5.2 인쇄물 가이드
|
||||
- 명함
|
||||
- 브로슈어
|
||||
- 간판
|
||||
```
|
||||
|
||||
### Appendix (부록)
|
||||
```
|
||||
A. 병원 기본 정보
|
||||
B. 채널별 카피 수정안
|
||||
C. CSS 적용 예시
|
||||
D. 업데이트 이력
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 🔴 누락된 필수 요소 및 보완 작업계획
|
||||
|
||||
### Priority 1: 필수 보완 항목 (브랜드 핵심)
|
||||
|
||||
| 항목 | 현황 | 보완 내용 | 담당 | 예상 소요 |
|
||||
|------|------|----------|------|----------|
|
||||
| **브랜드 미션** | ❌ 없음 | "제이미성형외과가 존재하는 이유"를 정의하는 1-2문장 | 원장/대표 인터뷰 필요 | 1일 |
|
||||
| **브랜드 비전** | ❌ 없음 | "제이미성형외과가 지향하는 미래상" 정의 | 원장/대표 인터뷰 필요 | 1일 |
|
||||
| **브랜드 퍼스낼리티** | ❌ 없음 | 브랜드 성격을 3-5개 형용사로 정의 (예: 신뢰할 수 있는, 세심한, 자연스러운) | 내부 워크숍 | 0.5일 |
|
||||
| **로고 가이드라인** | ❌ 없음 | 로고 파일, 최소 크기, 여백, 금지 사항 | 디자인 파일 확보 필요 | 1일 |
|
||||
| **톤앤매너 가이드** | ❌ 없음 | 문체, 어조, Do's & Don'ts | 기존 콘텐츠 분석 | 0.5일 |
|
||||
|
||||
### Priority 2: 권장 보완 항목 (완성도 향상)
|
||||
|
||||
| 항목 | 현황 | 보완 내용 | 담당 | 예상 소요 |
|
||||
|------|------|----------|------|----------|
|
||||
| **타겟 고객 정의** | ❌ 없음 | 핵심 타겟 페르소나 2-3개 정의 | 마케팅팀 | 0.5일 |
|
||||
| **경쟁 포지셔닝** | ❌ 없음 | 차별화 포인트 명확화 | 마케팅팀 | 0.5일 |
|
||||
| **이미지 스타일 가이드** | ❌ 없음 | 사진 스타일, 일러스트 스타일 | 디자인팀 | 1일 |
|
||||
| **인쇄물 적용 예시** | ❌ 없음 | 명함, 브로슈어 템플릿 | 디자인팀 | 1일 |
|
||||
|
||||
### Priority 3: 선택 보완 항목
|
||||
|
||||
| 항목 | 현황 | 보완 내용 |
|
||||
|------|------|----------|
|
||||
| 브랜드 스토리/히스토리 | ❌ 없음 | 2009년 개원부터의 연혁 |
|
||||
| 영문 버전 통합 | △ 부분적 | 전체 브랜드가이드 영문 버전 |
|
||||
| 아이콘 시스템 | ❌ 없음 | 시술별 아이콘 세트 |
|
||||
|
||||
---
|
||||
|
||||
## 📋 Notion 문서 재구성안
|
||||
|
||||
### 제안: 2단계 분리
|
||||
|
||||
**문서 1: 브랜드가이드 (전략/정체성)**
|
||||
- 외부 공유 가능
|
||||
- 브랜드 핵심 요소만 포함
|
||||
- 디자인 정돈된 배포용
|
||||
|
||||
**문서 2: 채널 운영 가이드 (실무/적용)**
|
||||
- 내부 운영용
|
||||
- 채널별 수정안
|
||||
- 실무 체크리스트
|
||||
|
||||
---
|
||||
|
||||
## ✅ 카피덱 교차 점검 결과
|
||||
|
||||
### Notion vs Excel 카피덱 일치 여부
|
||||
|
||||
| 항목 | Notion | Excel 카피덱 | 일치 |
|
||||
|------|--------|-------------|------|
|
||||
| 메인 슬로건 (국문) | 티안나게 수술하고, 티나게 예뻐지는 | 동일 | ✅ |
|
||||
| 메인 슬로건 (영문) | Your natural beauty, refined by Jamie. | 동일 | ✅ |
|
||||
| 공식 소개 슬로건 | 건강한 미(美)의 기준을 함께 만드는 제이미성형외과입니다 | 동일 | ✅ |
|
||||
| 브랜드 에센스 | 눈, 이마, 동안 성형을 중점 진료 | 동일 | ✅ |
|
||||
| 가치 제안 | 건강한 美의 기준을 말하다 | 동일 | ✅ |
|
||||
| 브랜드 서약 | 제이미는 결과로 말씀 드립니다 | 동일 | ✅ |
|
||||
| 전문 분야 소개 (풀버전) | 눈·이마·동안 성형을 중점 진료하며... | 동일 | ✅ |
|
||||
| 제이미의 약속 4가지 | 모두 동일 | 동일 | ✅ |
|
||||
| Jamie's Promise | 모두 동일 | 동일 | ✅ |
|
||||
|
||||
### 발견된 불일치/모순 사항
|
||||
|
||||
| 항목 | 문제 | 권장 조치 |
|
||||
|------|------|----------|
|
||||
| **흉터/흩터 오타** | Notion에서 "흩터"로 잘못 표기됨 (2곳) | "흉터"로 수정 필요 |
|
||||
| **젠음/젊음 오타** | "당신의 아름다움과 젠음을" → 젊음 | "젊음"으로 수정 필요 |
|
||||
| **눈썩거상술 오타** | "내시경 눈썩거상술" → 눈썹거상술 | "눈썹거상술"로 수정 필요 |
|
||||
| **Jamie's Promise 약속 수** | Notion: 3가지 / Excel 카피덱: 4가지 (태그라인 포함) | 통일 필요 - Notion에 "Precise Results" 추가 검토 |
|
||||
|
||||
### 누락된 카피덱 항목 (Excel에만 있음)
|
||||
|
||||
| 항목 | Excel 카피덱 | Notion 포함 여부 |
|
||||
|------|-------------|-----------------|
|
||||
| 브랜드 카피 "마치 원래 내 얼굴인 듯, 자연스럽게" | ✅ 있음 | ✅ 포함됨 |
|
||||
| 네이버 대표키워드 5개 | ✅ 있음 | ✅ 포함됨 |
|
||||
| 진료과목 16개 시술명 | ✅ 있음 | ✅ 포함됨 |
|
||||
|
||||
---
|
||||
|
||||
## 🔧 즉시 수정 필요 사항 (오타)
|
||||
|
||||
1. **"흩터" → "흉터"** (2곳)
|
||||
- 병원 기본 정보 > 정기호 원장 프로필
|
||||
- 네이버 예약 정기호 원장 프로필
|
||||
|
||||
2. **"젠음" → "젊음"** (1곳)
|
||||
- 네이버 스마트플레이스 수정안 마무리 CTA
|
||||
|
||||
3. **"눈썩거상술" → "눈썹거상술"** (1곳)
|
||||
- 구글 비즈니스 프로필 수정안
|
||||
|
||||
---
|
||||
|
||||
## 📅 작업 로드맵
|
||||
|
||||
### Phase 1: 즉시 수정 (Day 1)
|
||||
- [ ] Notion 문서 오타 3건 수정
|
||||
- [ ] Google Sheets 카피덱 동기화 확인
|
||||
|
||||
### Phase 2: 구조 재편 (Day 2-3)
|
||||
- [ ] Notion 문서 섹션 순서 재배치
|
||||
- [ ] 운영 가이드 분리 (별도 문서)
|
||||
- [ ] 목차 및 네비게이션 정비
|
||||
|
||||
### Phase 3: 필수 요소 보완 (Day 4-7)
|
||||
- [ ] 브랜드 미션/비전 인터뷰 및 작성
|
||||
- [ ] 브랜드 퍼스낼리티 정의
|
||||
- [ ] 톤앤매너 가이드 작성
|
||||
- [ ] 로고 가이드라인 (디자인 파일 확보 후)
|
||||
|
||||
### Phase 4: 배포 준비 (Day 8-10)
|
||||
- [ ] 최종 검수
|
||||
- [ ] PDF 배포용 버전 생성
|
||||
- [ ] 팀 공유 및 교육
|
||||
322
_jamie-reference-raw-data/jamie_brand_guide_analysis.md
Normal file
322
_jamie-reference-raw-data/jamie_brand_guide_analysis.md
Normal file
@@ -0,0 +1,322 @@
|
||||
# 제이미성형외과 브랜드가이드 v.1.0
|
||||
## 분석 보고서 및 재구성안
|
||||
|
||||
**작성일**: 2025-12-09
|
||||
**문서 URL**: https://www.notion.so/2c4581e58a1e81619deef855cf568665
|
||||
|
||||
---
|
||||
|
||||
# Part 1: 오타 수정 완료
|
||||
|
||||
| 위치 | 원문 (오류) | 수정 후 | 상태 |
|
||||
|------|-----------|--------|------|
|
||||
| 정기호 원장 프로필 | 흩터 성형 상담 | 흉터 성형 상담 | ✅ 완료 |
|
||||
| 네이버 예약 수정안 | 흥터 성형 상담 | 흉터 성형 상담 | ✅ 완료 |
|
||||
| 네이버 스마트플레이스 수정안 | 젠음을 지향하는 | 젊음을 지향하는 | ✅ 완료 |
|
||||
| 구글 비즈니스 프로필 수정안 | 눈썩거상술 | 눈썹거상술 | ✅ 완료 |
|
||||
|
||||
---
|
||||
|
||||
# Part 2: 현재 문서 구조 진단
|
||||
|
||||
## 현재 섹션 순서 (17개 섹션)
|
||||
```
|
||||
1. 브랜드 슬로건
|
||||
2. 브랜드 아키텍처
|
||||
3. 병원 기본 정보
|
||||
4. 디지털 채널 현황
|
||||
5. ⚠️ 디지털 채널 문구 점검 필요 사항
|
||||
6. ✅ 디지털 채널 소개글 수정안
|
||||
7. 브랜드 네이밍 표기 규정
|
||||
8. 전문 분야 소개
|
||||
9. 제이미의 약속
|
||||
10. 세부 설명 (운영용)
|
||||
11. Jamie's Promise (English)
|
||||
12. 브랜드 컬러
|
||||
13. 타이포그래피
|
||||
14. CSS 적용 예시
|
||||
15. 참고 자료
|
||||
16. 업데이트 이력
|
||||
17. 카피덱 구성 요약
|
||||
```
|
||||
|
||||
## 구조적 문제점
|
||||
|
||||
| 문제 유형 | 설명 | 심각도 |
|
||||
|----------|------|--------|
|
||||
| **논리적 흐름 부재** | 브랜드 핵심(슬로건, 약속)이 중간에 흩어짐 | 🔴 높음 |
|
||||
| **실무 문서 혼재** | 채널 수정안(운영용)이 전략 문서와 섞임 | 🔴 높음 |
|
||||
| **필수 요소 누락** | 미션/비전, 로고, 톤앤매너 없음 | 🔴 높음 |
|
||||
| **중복 콘텐츠** | 슬로건이 아키텍처 표에도 별도로 있음 | 🟡 중간 |
|
||||
| **국문/영문 분리** | 약속 섹션이 따로 있어 비교 어려움 | 🟡 중간 |
|
||||
|
||||
---
|
||||
|
||||
# Part 3: 권장 브랜드가이드 구조
|
||||
|
||||
## 배포용 브랜드가이드 (전략 문서)
|
||||
|
||||
```
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 1: BRAND FOUNDATION (브랜드 기반)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
1.1 브랜드 개요
|
||||
└─ 병원 소개 / 히스토리 (2009년 개원)
|
||||
└─ 브랜드 미션 ← [신규 작성 필요]
|
||||
└─ 브랜드 비전 ← [신규 작성 필요]
|
||||
|
||||
1.2 브랜드 아키텍처
|
||||
└─ 브랜드 에센스
|
||||
└─ 가치 제안
|
||||
└─ 브랜드 서약 (Promise)
|
||||
|
||||
1.3 제이미의 약속 (국문/영문 통합)
|
||||
└─ 4가지 핵심 약속
|
||||
└─ Jamie's Promise (English)
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 2: BRAND IDENTITY (브랜드 아이덴티티)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
2.1 브랜드 네이밍
|
||||
└─ 공식 명칭 (국문/영문)
|
||||
└─ 표기 규정 (Do's & Don'ts)
|
||||
|
||||
2.2 로고 가이드라인 ← [신규 작성 필요]
|
||||
└─ 기본 로고 / 변형
|
||||
└─ 최소 크기 / 여백
|
||||
└─ 사용 금지 사항
|
||||
|
||||
2.3 브랜드 컬러
|
||||
└─ Primary Colors
|
||||
└─ Background Colors
|
||||
|
||||
2.4 타이포그래피
|
||||
└─ 기본 서체 (Noto Sans KR)
|
||||
└─ 자간/행간 가이드
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 3: BRAND VOICE (브랜드 보이스)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
3.1 톤앤매너 가이드 ← [신규 작성 필요]
|
||||
└─ 브랜드 퍼스낼리티
|
||||
└─ 커뮤니케이션 원칙
|
||||
└─ 문체 Do's & Don'ts
|
||||
|
||||
3.2 브랜드 슬로건
|
||||
└─ 메인 슬로건 (국문/영문)
|
||||
└─ 서브 슬로건
|
||||
└─ 사용 가이드
|
||||
|
||||
3.3 의료광고법 준수 가이드
|
||||
└─ 금지 표현 / 대체 표현
|
||||
└─ 필수 고지문
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 4: BRAND MESSAGING (브랜드 메시징)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
4.1 전문 분야 소개
|
||||
└─ 중점 진료 분야
|
||||
└─ 시술 카테고리
|
||||
|
||||
4.2 정기호 원장 프로필
|
||||
└─ 학력 및 경력
|
||||
└─ 학회 활동
|
||||
└─ 발표 및 강연
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
APPENDIX (부록)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
A. 병원 기본 정보
|
||||
B. CSS 적용 예시
|
||||
C. 참고 자료
|
||||
D. 업데이트 이력
|
||||
```
|
||||
|
||||
## 별도 분리 권장: 채널 운영 가이드 (실무 문서)
|
||||
|
||||
```
|
||||
[별도 문서로 분리 권장]
|
||||
|
||||
채널 운영 가이드
|
||||
├─ 디지털 채널 현황
|
||||
├─ 채널별 문구 점검 (원문 vs 수정안)
|
||||
├─ 네이버 스마트플레이스 가이드
|
||||
├─ 구글 비즈니스 프로필 가이드
|
||||
├─ 네이버 예약 가이드
|
||||
└─ 카피덱 요약
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
# Part 4: 누락된 필수 요소 및 보완 작업계획
|
||||
|
||||
## 🔴 Priority 1: 필수 보완 항목
|
||||
|
||||
| 항목 | 현황 | 보완 방법 | 담당 | 소요 시간 |
|
||||
|------|------|----------|------|----------|
|
||||
| **브랜드 미션** | ❌ 없음 | 원장 인터뷰 → "왜 제이미가 존재하는가" 정의 | 원장/대표 | 1일 |
|
||||
| **브랜드 비전** | ❌ 없음 | 원장 인터뷰 → "10년 후 제이미의 모습" 정의 | 원장/대표 | 1일 |
|
||||
| **브랜드 퍼스낼리티** | ❌ 없음 | 3-5개 형용사로 정의 (예: 신뢰할 수 있는, 세심한, 자연스러운) | 내부 워크숍 | 0.5일 |
|
||||
| **로고 가이드라인** | ❌ 없음 | 로고 파일 확보 → 사용 규정 정의 | 디자인 | 1일 |
|
||||
| **톤앤매너 가이드** | ❌ 없음 | 기존 콘텐츠 분석 → 문체 규정 정의 | 마케팅 | 0.5일 |
|
||||
|
||||
### 미션/비전 작성 가이드
|
||||
|
||||
**브랜드 미션 (Mission)** - "왜 존재하는가"
|
||||
```
|
||||
[작성 템플릿]
|
||||
제이미성형외과는 [타겟 고객]에게 [핵심 가치]를 제공하여
|
||||
[궁극적 목표]를 실현합니다.
|
||||
|
||||
[예시안]
|
||||
제이미성형외과는 자연스러운 아름다움을 원하는 고객에게
|
||||
안전하고 검증된 성형 의료 서비스를 제공하여
|
||||
건강한 미의 기준을 함께 만들어갑니다.
|
||||
```
|
||||
|
||||
**브랜드 비전 (Vision)** - "어디로 가는가"
|
||||
```
|
||||
[작성 템플릿]
|
||||
[시간적 지향점]까지 [달성하고자 하는 목표/위상]
|
||||
|
||||
[예시안]
|
||||
한국을 대표하는 자연스러운 눈·이마·동안 성형의 기준이 되다.
|
||||
```
|
||||
|
||||
**브랜드 퍼스낼리티 (Personality)** - "어떤 성격인가"
|
||||
```
|
||||
[후보 키워드]
|
||||
□ 신뢰할 수 있는 (Trustworthy)
|
||||
□ 세심한 (Meticulous)
|
||||
□ 자연스러운 (Natural)
|
||||
□ 책임감 있는 (Accountable)
|
||||
□ 전문적인 (Professional)
|
||||
□ 따뜻한 (Warm)
|
||||
□ 정직한 (Honest)
|
||||
|
||||
→ 3-5개 선정 후 정의 문장 작성
|
||||
```
|
||||
|
||||
## 🟡 Priority 2: 권장 보완 항목
|
||||
|
||||
| 항목 | 현황 | 보완 방법 | 소요 시간 |
|
||||
|------|------|----------|----------|
|
||||
| 타겟 고객 페르소나 | ❌ 없음 | 핵심 타겟 2-3개 정의 | 0.5일 |
|
||||
| 경쟁 포지셔닝 | ❌ 없음 | 차별화 포인트 명확화 | 0.5일 |
|
||||
| 이미지 스타일 가이드 | ❌ 없음 | 사진/일러스트 스타일 정의 | 1일 |
|
||||
| 인쇄물 적용 예시 | ❌ 없음 | 명함/브로슈어 템플릿 | 1일 |
|
||||
|
||||
## 🟢 Priority 3: 선택 보완 항목
|
||||
|
||||
| 항목 | 현황 | 보완 방법 |
|
||||
|------|------|----------|
|
||||
| 브랜드 히스토리 | ❌ 없음 | 2009년 개원 이후 연혁 |
|
||||
| 영문 브랜드가이드 | △ 부분적 | 전체 영문 버전 작성 |
|
||||
| 아이콘 시스템 | ❌ 없음 | 시술별 아이콘 세트 |
|
||||
|
||||
---
|
||||
|
||||
# Part 5: 카피덱 교차 점검 결과
|
||||
|
||||
## Notion vs Excel 카피덱 일치 여부
|
||||
|
||||
| 항목 | Notion | Excel 카피덱 | 일치 |
|
||||
|------|--------|-------------|------|
|
||||
| 메인 슬로건 (국문) | 티안나게 수술하고, 티나게 예뻐지는 | 동일 | ✅ |
|
||||
| 메인 슬로건 (영문) | Your natural beauty, refined by Jamie. | 동일 | ✅ |
|
||||
| 공식 소개 슬로건 | 건강한 미(美)의 기준을 함께 만드는 제이미성형외과입니다 | 동일 | ✅ |
|
||||
| 브랜드 에센스 | 눈, 이마, 동안 성형을 중점 진료 | 동일 | ✅ |
|
||||
| 가치 제안 | 건강한 美의 기준을 말하다 | 동일 | ✅ |
|
||||
| 브랜드 서약 | 제이미는 결과로 말씀 드립니다 | 동일 | ✅ |
|
||||
| 제이미의 약속 4가지 | 모두 일치 | 모두 일치 | ✅ |
|
||||
| Jamie's Promise 3가지 | 모두 일치 | 모두 일치 | ✅ |
|
||||
| 전문 분야 소개 (풀버전) | 동일 | 동일 | ✅ |
|
||||
| 진료과목 16개 | 동일 | 동일 | ✅ |
|
||||
| 정기호 원장 프로필 | 동일 | 동일 | ✅ |
|
||||
| 브랜드 컬러 | 동일 | - | ✅ |
|
||||
|
||||
## 교차 점검 결론
|
||||
|
||||
```
|
||||
✅ 모든 핵심 카피가 Notion과 Excel 카피덱에서 일치합니다.
|
||||
✅ 오타 4건 모두 수정 완료했습니다.
|
||||
✅ 의료광고법 준수 수정안이 양쪽 문서에 반영되어 있습니다.
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
# Part 6: 작업 로드맵
|
||||
|
||||
## Phase 1: 즉시 완료 (Day 1) ✅ 완료
|
||||
- [x] 오타 4건 수정 (흩터, 흥터, 젠음, 눈썩거상술)
|
||||
- [x] Notion-Excel 카피덱 일치 확인
|
||||
|
||||
## Phase 2: 구조 재편 (Day 2-3)
|
||||
- [ ] Notion 문서 섹션 순서 재배치 (권장 구조 적용)
|
||||
- [ ] 채널 운영 가이드 별도 문서로 분리
|
||||
- [ ] 목차 및 네비게이션 정비
|
||||
|
||||
## Phase 3: 필수 요소 보완 (Day 4-7)
|
||||
- [ ] 브랜드 미션/비전 인터뷰 및 작성
|
||||
- [ ] 브랜드 퍼스낼리티 정의
|
||||
- [ ] 톤앤매너 가이드 작성
|
||||
- [ ] 로고 가이드라인 (디자인 파일 확보 후)
|
||||
|
||||
## Phase 4: 배포 준비 (Day 8-10)
|
||||
- [ ] 최종 검수
|
||||
- [ ] PDF 배포용 버전 생성
|
||||
- [ ] 팀 공유 및 교육
|
||||
|
||||
---
|
||||
|
||||
# Part 7: 즉시 실행 가능한 Notion 재구성
|
||||
|
||||
현재 콘텐츠로 바로 적용 가능한 섹션 순서 재배치안:
|
||||
|
||||
```markdown
|
||||
## 목차
|
||||
|
||||
1. 브랜드 개요
|
||||
- 브랜드 소개
|
||||
- 브랜드 아키텍처
|
||||
|
||||
2. 브랜드 슬로건
|
||||
- 메인 슬로건 (국문/영문)
|
||||
- 공식 소개 슬로건
|
||||
|
||||
3. 제이미의 약속
|
||||
- 4가지 핵심 약속 (국문)
|
||||
- Jamie's Promise (English)
|
||||
- 세부 설명
|
||||
|
||||
4. 브랜드 아이덴티티
|
||||
- 브랜드 네이밍 표기 규정
|
||||
- 브랜드 컬러
|
||||
- 타이포그래피
|
||||
- CSS 적용 예시
|
||||
|
||||
5. 브랜드 메시징
|
||||
- 전문 분야 소개
|
||||
- 정기호 원장 프로필
|
||||
- 의료광고법 준수 가이드
|
||||
|
||||
---
|
||||
[부록]
|
||||
|
||||
A. 병원 기본 정보
|
||||
B. 디지털 채널 현황
|
||||
C. 참고 자료
|
||||
D. 업데이트 이력
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
**다음 단계 권장사항**:
|
||||
1. 위 구조로 Notion 문서 재배치 진행 여부 확인
|
||||
2. 채널 운영 가이드(수정안 포함)를 별도 문서로 분리할지 결정
|
||||
3. 브랜드 미션/비전 작성을 위한 원장 인터뷰 일정 조율
|
||||
207
_jamie-reference-raw-data/jamie_brand_guide_v1.5_restructure.md
Normal file
207
_jamie-reference-raw-data/jamie_brand_guide_v1.5_restructure.md
Normal file
@@ -0,0 +1,207 @@
|
||||
# 제이미성형외과 브랜드가이드 v1.5 구조 재배치 가이드
|
||||
|
||||
**작성일**: 2025-12-09
|
||||
**목적**: Notion 브랜드가이드 문서 수동 재배치 가이드
|
||||
**Notion URL**: https://www.notion.so/2c4581e58a1e81619deef855cf568665
|
||||
|
||||
---
|
||||
|
||||
## 📋 변경 사항 요약
|
||||
|
||||
### 1. 제목 변경
|
||||
```
|
||||
현재: [Brand] 제이미성형외과 브랜드가이드 v.1.0
|
||||
변경: [Brand] 제이미성형외과 브랜드가이드 v.1.5
|
||||
```
|
||||
|
||||
### 2. 구조 재배치
|
||||
- 브랜드 핵심 요소를 문서 앞부분에 배치
|
||||
- 운영용 콘텐츠(채널 수정안)를 뒤쪽으로 이동
|
||||
- PART 구분 헤더 추가
|
||||
|
||||
---
|
||||
|
||||
## 🔄 재배치 순서 (Notion에서 드래그)
|
||||
|
||||
### STEP 1: 브랜드 핵심 앞으로 이동
|
||||
|
||||
| 순서 | 이동할 섹션 | 현재 위치 | 목표 위치 |
|
||||
|------|-----------|----------|----------|
|
||||
| 1 | **제이미의 약속** | 10번째 | → 4번째 (브랜드 아키텍처 다음) |
|
||||
| 2 | **Jamie's Promise** | 11번째 | → 5번째 (제이미의 약속 다음) |
|
||||
| 3 | **브랜드 슬로건** | 1번째 | 유지 또는 브랜드 보이스 섹션으로 |
|
||||
|
||||
### STEP 2: 비주얼 아이덴티티 그룹핑
|
||||
|
||||
| 순서 | 섹션 | 조치 |
|
||||
|------|------|------|
|
||||
| 1 | **브랜드 컬러** | 위치 유지 |
|
||||
| 2 | **타이포그래피** | 브랜드 컬러 바로 다음 |
|
||||
| 3 | **CSS 적용 예시** | → 부록(Appendix)으로 이동 |
|
||||
|
||||
### STEP 3: 운영 콘텐츠 뒤로 이동
|
||||
|
||||
| 순서 | 이동할 섹션 | 조치 |
|
||||
|------|-----------|------|
|
||||
| 1 | **디지털 채널 현황** | → 문서 후반부 |
|
||||
| 2 | **디지털 채널 문구 점검** | → 문서 후반부 |
|
||||
| 3 | **디지털 채널 소개글 수정안** | → 문서 후반부 |
|
||||
|
||||
### STEP 4: 부록 정리
|
||||
|
||||
| 순서 | 섹션 | 조치 |
|
||||
|------|------|------|
|
||||
| 1 | **병원 기본 정보** | → Appendix A |
|
||||
| 2 | **CSS 적용 예시** | → Appendix B |
|
||||
| 3 | **업데이트 이력** | → Appendix C (마지막) |
|
||||
|
||||
---
|
||||
|
||||
## 📐 v1.5 최종 구조
|
||||
|
||||
```
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
[Brand] 제이미성형외과 브랜드가이드 v.1.5
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
## 문서 소개
|
||||
제이미성형외과의 브랜드 아이덴티티, 메시지, 톤앤매너를 정리한 가이드 문서입니다.
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 1: BRAND FOUNDATION (브랜드 기반)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
## 브랜드 아키텍처
|
||||
[기존 내용 유지]
|
||||
|
||||
## 브랜드 슬로건
|
||||
[기존 내용 유지]
|
||||
|
||||
## 제이미의 약속
|
||||
[기존 내용 유지 - 현재 위치에서 이동]
|
||||
|
||||
## Jamie's Promise (English)
|
||||
[기존 내용 유지 - 현재 위치에서 이동]
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 2: VISUAL IDENTITY (비주얼 아이덴티티)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
## 브랜드 컬러
|
||||
[기존 내용 유지]
|
||||
|
||||
## 타이포그래피
|
||||
[기존 내용 유지]
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 3: BRAND MESSAGING (브랜드 메시징)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
## 브랜드 네이밍 표기 규정
|
||||
[기존 내용 유지]
|
||||
|
||||
## 전문 분야 소개
|
||||
[기존 내용 유지]
|
||||
|
||||
## 정기호 원장 프로필
|
||||
[기존 내용 유지 - 병원 기본 정보에서 분리]
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
PART 4: 채널 운영 가이드
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
## 디지털 채널 현황
|
||||
[기존 내용 유지]
|
||||
|
||||
## ⚠️ 디지털 채널 문구 점검 필요 사항
|
||||
[기존 내용 유지]
|
||||
|
||||
## ✅ 디지털 채널 소개글 수정안
|
||||
[기존 내용 유지]
|
||||
|
||||
## 📋 카피덱 구성 요약
|
||||
[기존 내용 유지]
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
APPENDIX (부록)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
## A. 병원 기본 정보
|
||||
[기존 내용 유지]
|
||||
|
||||
## B. CSS 적용 예시
|
||||
[기존 내용 유지]
|
||||
|
||||
## C. 참고 자료
|
||||
[기존 내용 유지]
|
||||
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
다음 단계 (NEXT STEPS)
|
||||
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
|
||||
|
||||
## 🎯 브랜드가이드 재구성 다음 할일
|
||||
[기존 내용 유지]
|
||||
|
||||
## 업데이트 이력
|
||||
[기존 내용 + 신규 항목 추가]
|
||||
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## ✏️ 업데이트 이력 추가 항목
|
||||
|
||||
업데이트 이력 테이블에 다음 행을 추가하세요:
|
||||
|
||||
| 날짜 | 내용 |
|
||||
|------|------|
|
||||
| 2025-12-09 | **v1.5 업데이트**: 문서 구조 재배치 - PART 구분 적용, 브랜드 핵심 요소 앞부분 배치, 운영 콘텐츠 후반부 이동 |
|
||||
|
||||
---
|
||||
|
||||
## 📝 Notion 수동 작업 체크리스트
|
||||
|
||||
### 제목 변경
|
||||
- [ ] 페이지 제목을 `v.1.0` → `v.1.5`로 변경
|
||||
|
||||
### PART 헤더 추가
|
||||
- [ ] `## PART 1: BRAND FOUNDATION` 헤더 추가 (브랜드 아키텍처 앞)
|
||||
- [ ] `## PART 2: VISUAL IDENTITY` 헤더 추가 (브랜드 컬러 앞)
|
||||
- [ ] `## PART 3: BRAND MESSAGING` 헤더 추가 (브랜드 네이밍 앞)
|
||||
- [ ] `## PART 4: 채널 운영 가이드` 헤더 추가 (디지털 채널 현황 앞)
|
||||
- [ ] `## APPENDIX` 헤더 추가 (병원 기본 정보 앞)
|
||||
|
||||
### 섹션 이동 (드래그)
|
||||
- [ ] **제이미의 약속** → 브랜드 슬로건 바로 다음으로 이동
|
||||
- [ ] **Jamie's Promise** → 제이미의 약속 바로 다음으로 이동
|
||||
- [ ] **병원 기본 정보** → Appendix 섹션으로 이동
|
||||
- [ ] **CSS 적용 예시** → Appendix 섹션으로 이동
|
||||
|
||||
### 업데이트 이력
|
||||
- [ ] 새 행 추가: 2025-12-09 | v1.5 업데이트 내용
|
||||
|
||||
---
|
||||
|
||||
## ⏱️ 예상 소요 시간
|
||||
|
||||
| 작업 | 소요 시간 |
|
||||
|------|----------|
|
||||
| 제목 변경 | 1분 |
|
||||
| PART 헤더 추가 | 5분 |
|
||||
| 섹션 이동 | 10분 |
|
||||
| 업데이트 이력 추가 | 2분 |
|
||||
| **총 소요 시간** | **약 20분** |
|
||||
|
||||
---
|
||||
|
||||
## 💡 팁
|
||||
|
||||
1. **Notion에서 블록 이동**: 블록 왼쪽의 ⋮⋮ 핸들을 드래그하여 이동
|
||||
2. **여러 블록 선택**: Shift+클릭으로 범위 선택 후 한번에 이동
|
||||
3. **구분선 추가**: `/divider` 또는 `---` 입력으로 PART 간 구분선 추가
|
||||
4. **백업**: 변경 전 페이지 복제(Duplicate) 권장
|
||||
|
||||
---
|
||||
|
||||
*이 가이드는 Notion 브랜드가이드 문서의 수동 재배치를 위해 작성되었습니다.*
|
||||
*Last updated: 2025-12-09*
|
||||
@@ -0,0 +1,131 @@
|
||||
# 제이미성형외과 브랜드 보이스 요약
|
||||
## Notion 브랜드가이드 v1.5 추가용
|
||||
|
||||
> **분석 기반**: 정기호 원장 음성 녹음 19개 파일 (65분)
|
||||
> **분석일**: 2025-12-09
|
||||
|
||||
---
|
||||
|
||||
## 🎯 브랜드 퍼스낼리티
|
||||
|
||||
| 성격 | 키워드 | 설명 |
|
||||
|------|--------|------|
|
||||
| 신뢰감 있는 전문가 | 전문성, 경험 | "2008년부터 눈 성형을 전문적으로 시행" |
|
||||
| 따뜻한 설명자 | 쉬운 비유, 친절 | "나무 옮겨 심는 거랑 똑같다고 하거든요" |
|
||||
| 솔직한 조언자 | 진정성, 현실적 | "100% 성공률을 가진 의사는 없어요" |
|
||||
| 환자 중심 | 공감, 이해 | "환자분들이 말씀하시는 졸린 눈은..." |
|
||||
| 겸손한 자신감 | 확신, 겸손 | "저희들이 시행하고 있습니다" |
|
||||
|
||||
---
|
||||
|
||||
## ✍️ 문체 가이드
|
||||
|
||||
### 종결 어미
|
||||
|
||||
| 상황 | 권장 어미 | 비율 |
|
||||
|------|----------|------|
|
||||
| 정보 전달 | ~입니다, ~습니다 | 90% |
|
||||
| 서비스 안내 | ~드립니다, ~드리고 있습니다 | 6% |
|
||||
| Q&A 설명 | ~거든요, ~해요 | 4% |
|
||||
|
||||
### 호칭
|
||||
|
||||
| 호칭 | 사용 비율 | 맥락 |
|
||||
|------|----------|------|
|
||||
| 환자분/환자분들 | 61% | 의료 설명 |
|
||||
| 고객님/고객님들 | 22% | 서비스 안내 |
|
||||
| 여러분 | 17% | 일반적 호소 |
|
||||
|
||||
### 자기 지칭
|
||||
|
||||
- **공식**: 제이미 성형외과
|
||||
- **일반**: 저희 (제이미에서는)
|
||||
- **개인**: 저 (Q&A 시)
|
||||
|
||||
---
|
||||
|
||||
## 📐 콘텐츠 구조
|
||||
|
||||
### 도입부
|
||||
```
|
||||
"안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 [고민]하시는 분들을 위한 [시술명]에 대해 말씀드리겠습니다."
|
||||
```
|
||||
|
||||
### 본론 구조
|
||||
1. 문제 제기 (공감)
|
||||
2. 원인 설명 (교육)
|
||||
3. 해결책 제시 (제이미 방법)
|
||||
4. 장점 나열 (차별점)
|
||||
5. 기대 효과 (비전)
|
||||
|
||||
### 마무리
|
||||
```
|
||||
"[고민]이시라면 제이미 성형외과의 상담을 추천드립니다."
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 💎 핵심 표현
|
||||
|
||||
### 긍정 키워드 TOP 5
|
||||
1. **자연스러운** (16회) - 결과 묘사의 핵심
|
||||
2. **젊음/젊어지는** (12회) - 동안 성형
|
||||
3. **효과적인** (7회) - 방법 설명
|
||||
4. **편안한** (6회) - 회복, 인상
|
||||
5. **시원한** (6회) - 눈매 결과
|
||||
|
||||
### 비유 표현 (원장 스타일)
|
||||
| 주제 | 비유 |
|
||||
|------|------|
|
||||
| 지방 이식 | "나무 옮겨 심는 것처럼" |
|
||||
| 3점 고정 | "인형극 실이 많을수록 자연스럽게" |
|
||||
| 재수술 | "낙서 있는 도화지에 그림 그리기" |
|
||||
|
||||
### 진솔함 표현 (신뢰 구축)
|
||||
- "100% 성공률을 가진 의사는 없어요"
|
||||
- "저조차도 수술을 실패하는 수가 있거든요"
|
||||
- "개선에 한계가 있을 수 있습니다"
|
||||
|
||||
---
|
||||
|
||||
## ✓ Do's & ✗ Don'ts
|
||||
|
||||
### ✓ Do's
|
||||
- 환자 고민 먼저 공감
|
||||
- 쉬운 비유로 설명
|
||||
- 구체적 수치 제시 (5년 AS, 1시간 내외)
|
||||
- 현실적 기대치 안내
|
||||
- 회복 정보 구체적 안내
|
||||
|
||||
### ✗ Don'ts
|
||||
| 금지 | 대체 |
|
||||
|------|------|
|
||||
| "100% 성공" | "대부분 좋은 결과 기대" |
|
||||
| "다른 병원보다 우수" | "저희만의 방법으로" |
|
||||
| "부작용 없음" | "부작용은 극히 드뭅니다" |
|
||||
| "완전 대박!" | "만족스러운 결과" |
|
||||
|
||||
---
|
||||
|
||||
## 📋 시술별 핵심 카피
|
||||
|
||||
| 카테고리 | 시술 | 핵심 표현 |
|
||||
|----------|------|----------|
|
||||
| 눈 | 퀵매몰법 | "티 안 나게 예뻐지는" |
|
||||
| 눈 | 눈매교정 | "졸리고 답답한 눈매를 또렷하고 시원하게" |
|
||||
| 이마 | 내시경 이마거상술 | "3점 고정, 흡수성 봉합사" |
|
||||
| 동안 | 스마스 리프팅 | "표정 근막층부터 근본적으로" |
|
||||
| 동안 | 자가지방 이식 | "반영구적 유지" |
|
||||
|
||||
---
|
||||
|
||||
## 🔗 관련 문서
|
||||
|
||||
- [톤앤매너 가이드 전체본](/jamie_tone_manner_guide_v1.0.md)
|
||||
- [블로그 AI 카피라이터 스타일 가이드](/제이미_성형외과_블로그_AI_카피라이터_스타일_가이드.md)
|
||||
- [의료광고법 준수 검증 보고서](/compliance_verification_report.txt)
|
||||
|
||||
---
|
||||
|
||||
*Last updated: 2025-12-09*
|
||||
641
_jamie-reference-raw-data/jamie_logo_guidelines.html
Normal file
641
_jamie-reference-raw-data/jamie_logo_guidelines.html
Normal file
@@ -0,0 +1,641 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="ko">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>Jamie Clinic Logo Guidelines</title>
|
||||
<style>
|
||||
* {
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
box-sizing: border-box;
|
||||
}
|
||||
|
||||
body {
|
||||
font-family: 'Noto Sans KR', -apple-system, BlinkMacSystemFont, sans-serif;
|
||||
background: #f8f9fa;
|
||||
color: #333;
|
||||
line-height: 1.6;
|
||||
}
|
||||
|
||||
.container {
|
||||
max-width: 1200px;
|
||||
margin: 0 auto;
|
||||
padding: 40px 20px;
|
||||
}
|
||||
|
||||
header {
|
||||
text-align: center;
|
||||
margin-bottom: 60px;
|
||||
padding: 60px 40px;
|
||||
background: linear-gradient(135deg, #000 0%, #1a1a1a 100%);
|
||||
border-radius: 20px;
|
||||
color: white;
|
||||
}
|
||||
|
||||
header h1 {
|
||||
font-size: 2.5rem;
|
||||
font-weight: 700;
|
||||
margin-bottom: 10px;
|
||||
color: #79A233;
|
||||
}
|
||||
|
||||
header p {
|
||||
font-size: 1.1rem;
|
||||
opacity: 0.8;
|
||||
}
|
||||
|
||||
section {
|
||||
background: white;
|
||||
border-radius: 16px;
|
||||
padding: 40px;
|
||||
margin-bottom: 30px;
|
||||
box-shadow: 0 2px 20px rgba(0,0,0,0.06);
|
||||
}
|
||||
|
||||
section h2 {
|
||||
font-size: 1.5rem;
|
||||
color: #79A233;
|
||||
margin-bottom: 30px;
|
||||
padding-bottom: 15px;
|
||||
border-bottom: 2px solid #f1f4eb;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 10px;
|
||||
}
|
||||
|
||||
section h2::before {
|
||||
content: '';
|
||||
width: 4px;
|
||||
height: 24px;
|
||||
background: #79A233;
|
||||
border-radius: 2px;
|
||||
}
|
||||
|
||||
h3 {
|
||||
font-size: 1.1rem;
|
||||
color: #555;
|
||||
margin: 25px 0 15px;
|
||||
}
|
||||
|
||||
.logo-grid {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(280px, 1fr));
|
||||
gap: 30px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.logo-card {
|
||||
border: 1px solid #eee;
|
||||
border-radius: 12px;
|
||||
overflow: hidden;
|
||||
transition: transform 0.2s, box-shadow 0.2s;
|
||||
}
|
||||
|
||||
.logo-card:hover {
|
||||
transform: translateY(-4px);
|
||||
box-shadow: 0 8px 30px rgba(0,0,0,0.1);
|
||||
}
|
||||
|
||||
.logo-preview {
|
||||
height: 200px;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
padding: 30px;
|
||||
}
|
||||
|
||||
.logo-preview.dark {
|
||||
background: #000;
|
||||
}
|
||||
|
||||
.logo-preview.light {
|
||||
background: #fff;
|
||||
border-bottom: 1px solid #eee;
|
||||
}
|
||||
|
||||
.logo-preview.green {
|
||||
background: #79A233;
|
||||
}
|
||||
|
||||
.logo-preview img {
|
||||
max-width: 100%;
|
||||
max-height: 100%;
|
||||
object-fit: contain;
|
||||
}
|
||||
|
||||
.logo-info {
|
||||
padding: 20px;
|
||||
background: #fafafa;
|
||||
}
|
||||
|
||||
.logo-info h4 {
|
||||
font-size: 1rem;
|
||||
color: #333;
|
||||
margin-bottom: 8px;
|
||||
}
|
||||
|
||||
.logo-info p {
|
||||
font-size: 0.85rem;
|
||||
color: #666;
|
||||
}
|
||||
|
||||
.logo-info .tag {
|
||||
display: inline-block;
|
||||
padding: 4px 10px;
|
||||
background: #f1f4eb;
|
||||
color: #6d7856;
|
||||
border-radius: 20px;
|
||||
font-size: 0.75rem;
|
||||
margin-top: 10px;
|
||||
}
|
||||
|
||||
.color-palette {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(200px, 1fr));
|
||||
gap: 20px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.color-item {
|
||||
border-radius: 12px;
|
||||
overflow: hidden;
|
||||
box-shadow: 0 2px 10px rgba(0,0,0,0.08);
|
||||
}
|
||||
|
||||
.color-swatch {
|
||||
height: 100px;
|
||||
}
|
||||
|
||||
.color-info {
|
||||
padding: 15px;
|
||||
background: white;
|
||||
}
|
||||
|
||||
.color-info h4 {
|
||||
font-size: 0.9rem;
|
||||
margin-bottom: 5px;
|
||||
}
|
||||
|
||||
.color-info code {
|
||||
font-family: 'SF Mono', Monaco, monospace;
|
||||
font-size: 0.85rem;
|
||||
color: #666;
|
||||
}
|
||||
|
||||
.rules-grid {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(auto-fit, minmax(250px, 1fr));
|
||||
gap: 20px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.rule-card {
|
||||
padding: 25px;
|
||||
border-radius: 12px;
|
||||
border: 1px solid #eee;
|
||||
}
|
||||
|
||||
.rule-card.do {
|
||||
background: linear-gradient(135deg, #f0f9e8 0%, #e8f5e0 100%);
|
||||
border-color: #c8e6c9;
|
||||
}
|
||||
|
||||
.rule-card.dont {
|
||||
background: linear-gradient(135deg, #fff5f5 0%, #ffebee 100%);
|
||||
border-color: #ffcdd2;
|
||||
}
|
||||
|
||||
.rule-card h4 {
|
||||
font-size: 1rem;
|
||||
margin-bottom: 15px;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 8px;
|
||||
}
|
||||
|
||||
.rule-card.do h4 {
|
||||
color: #2e7d32;
|
||||
}
|
||||
|
||||
.rule-card.dont h4 {
|
||||
color: #c62828;
|
||||
}
|
||||
|
||||
.rule-card ul {
|
||||
list-style: none;
|
||||
padding: 0;
|
||||
}
|
||||
|
||||
.rule-card li {
|
||||
padding: 8px 0;
|
||||
font-size: 0.9rem;
|
||||
color: #555;
|
||||
display: flex;
|
||||
align-items: flex-start;
|
||||
gap: 8px;
|
||||
}
|
||||
|
||||
.rule-card.do li::before {
|
||||
content: '✓';
|
||||
color: #2e7d32;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.rule-card.dont li::before {
|
||||
content: '✗';
|
||||
color: #c62828;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.spec-table {
|
||||
width: 100%;
|
||||
border-collapse: collapse;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.spec-table th,
|
||||
.spec-table td {
|
||||
padding: 15px;
|
||||
text-align: left;
|
||||
border-bottom: 1px solid #eee;
|
||||
}
|
||||
|
||||
.spec-table th {
|
||||
background: #f8f9fa;
|
||||
font-weight: 600;
|
||||
color: #555;
|
||||
font-size: 0.85rem;
|
||||
text-transform: uppercase;
|
||||
letter-spacing: 0.5px;
|
||||
}
|
||||
|
||||
.spec-table td {
|
||||
font-size: 0.95rem;
|
||||
}
|
||||
|
||||
.spec-table tr:hover {
|
||||
background: #fafafa;
|
||||
}
|
||||
|
||||
.clearspace-demo {
|
||||
background: #f5f5f5;
|
||||
padding: 40px;
|
||||
border-radius: 12px;
|
||||
text-align: center;
|
||||
margin: 20px 0;
|
||||
}
|
||||
|
||||
.clearspace-box {
|
||||
display: inline-block;
|
||||
border: 2px dashed #79A233;
|
||||
padding: 40px;
|
||||
position: relative;
|
||||
}
|
||||
|
||||
.clearspace-box::before {
|
||||
content: 'X';
|
||||
position: absolute;
|
||||
top: 10px;
|
||||
left: 50%;
|
||||
transform: translateX(-50%);
|
||||
color: #79A233;
|
||||
font-size: 0.8rem;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.clearspace-box::after {
|
||||
content: 'X';
|
||||
position: absolute;
|
||||
left: 10px;
|
||||
top: 50%;
|
||||
transform: translateY(-50%);
|
||||
color: #79A233;
|
||||
font-size: 0.8rem;
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
.logo-placeholder {
|
||||
background: #000;
|
||||
color: #79A233;
|
||||
padding: 20px 40px;
|
||||
font-weight: bold;
|
||||
font-size: 1.5rem;
|
||||
border-radius: 4px;
|
||||
}
|
||||
|
||||
.note-box {
|
||||
background: #fff3cd;
|
||||
border-left: 4px solid #ffc107;
|
||||
padding: 15px 20px;
|
||||
margin: 20px 0;
|
||||
border-radius: 0 8px 8px 0;
|
||||
}
|
||||
|
||||
.note-box p {
|
||||
font-size: 0.9rem;
|
||||
color: #856404;
|
||||
}
|
||||
|
||||
.file-list {
|
||||
display: grid;
|
||||
gap: 15px;
|
||||
margin-top: 20px;
|
||||
}
|
||||
|
||||
.file-item {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 15px;
|
||||
padding: 15px 20px;
|
||||
background: #f8f9fa;
|
||||
border-radius: 10px;
|
||||
border: 1px solid #eee;
|
||||
}
|
||||
|
||||
.file-icon {
|
||||
width: 50px;
|
||||
height: 50px;
|
||||
background: #79A233;
|
||||
border-radius: 10px;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
color: white;
|
||||
font-weight: bold;
|
||||
font-size: 0.7rem;
|
||||
}
|
||||
|
||||
.file-details h4 {
|
||||
font-size: 0.95rem;
|
||||
margin-bottom: 4px;
|
||||
}
|
||||
|
||||
.file-details p {
|
||||
font-size: 0.8rem;
|
||||
color: #888;
|
||||
}
|
||||
|
||||
footer {
|
||||
text-align: center;
|
||||
padding: 40px;
|
||||
color: #888;
|
||||
font-size: 0.9rem;
|
||||
}
|
||||
|
||||
@media (max-width: 768px) {
|
||||
header h1 {
|
||||
font-size: 1.8rem;
|
||||
}
|
||||
|
||||
section {
|
||||
padding: 25px;
|
||||
}
|
||||
|
||||
.logo-grid {
|
||||
grid-template-columns: 1fr;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<div class="container">
|
||||
<header>
|
||||
<h1>Jamie Clinic Logo Guidelines</h1>
|
||||
<p>제이미성형외과 로고 가이드라인 v1.0</p>
|
||||
</header>
|
||||
|
||||
<!-- 로고 버전 -->
|
||||
<section>
|
||||
<h2>로고 버전</h2>
|
||||
<p>제이미성형외과의 공식 로고는 여성 얼굴 측면 실루엣(심볼)과 워드마크의 조합으로 구성됩니다.</p>
|
||||
|
||||
<div class="logo-grid">
|
||||
<div class="logo-card">
|
||||
<div class="logo-preview light">
|
||||
<div style="display: flex; align-items: center; gap: 15px;">
|
||||
<svg width="60" height="80" viewBox="0 0 60 80">
|
||||
<path d="M0 0 L0 80 L30 80 Q60 70 50 40 Q60 20 40 10 Q30 0 0 0" fill="#000"/>
|
||||
</svg>
|
||||
<div style="font-weight: bold; font-size: 1.2rem; color: #000;">
|
||||
제이미<br>성형외과
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class="logo-info">
|
||||
<h4>국문 조합형 (밝은 배경)</h4>
|
||||
<p>간판, 명판, 공식 문서, 인쇄물용</p>
|
||||
<span class="tag">Primary</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="logo-card">
|
||||
<div class="logo-preview dark">
|
||||
<div style="display: flex; flex-direction: column; align-items: center; gap: 10px;">
|
||||
<svg width="80" height="100" viewBox="0 0 60 80">
|
||||
<path d="M60 0 L60 80 L30 80 Q0 70 10 40 Q0 20 20 10 Q30 0 60 0" fill="#fff"/>
|
||||
</svg>
|
||||
<div style="font-weight: bold; font-size: 1.3rem; color: #fff; letter-spacing: 2px;">
|
||||
JAMIE
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class="logo-info">
|
||||
<h4>영문 정사각형 (흰색)</h4>
|
||||
<p>다크 배경, SNS 프로필 (Instagram, YouTube)</p>
|
||||
<span class="tag">Monochrome</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="logo-card">
|
||||
<div class="logo-preview dark">
|
||||
<div style="display: flex; flex-direction: column; align-items: center; gap: 10px;">
|
||||
<svg width="80" height="100" viewBox="0 0 60 80">
|
||||
<path d="M60 0 L60 80 L30 80 Q0 70 10 40 Q0 20 20 10 Q30 0 60 0" fill="#79A233"/>
|
||||
</svg>
|
||||
<div style="font-weight: bold; font-size: 1.3rem; color: #79A233; letter-spacing: 2px;">
|
||||
JAMIE
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<div class="logo-info">
|
||||
<h4>영문 정사각형 (브랜드 그린)</h4>
|
||||
<p>브랜드 컬러 강조, 마케팅 자료</p>
|
||||
<span class="tag">Brand Color</span>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 컬러 팔레트 -->
|
||||
<section>
|
||||
<h2>로고 컬러</h2>
|
||||
<p>로고에 사용 가능한 공식 컬러입니다. 이 외의 색상은 사용할 수 없습니다.</p>
|
||||
|
||||
<div class="color-palette">
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #79A233;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Jamie Green</h4>
|
||||
<code>#79A233</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #AFCC6D;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Jamie Light Green</h4>
|
||||
<code>#AFCC6D</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #6d7856;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Jamie Main</h4>
|
||||
<code>#6d7856</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #000000;"></div>
|
||||
<div class="color-info">
|
||||
<h4>Black</h4>
|
||||
<code>#000000</code>
|
||||
</div>
|
||||
</div>
|
||||
<div class="color-item">
|
||||
<div class="color-swatch" style="background: #FFFFFF; border: 1px solid #eee;"></div>
|
||||
<div class="color-info">
|
||||
<h4>White</h4>
|
||||
<code>#FFFFFF</code>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 여백 규정 -->
|
||||
<section>
|
||||
<h2>여백 규정 (Clear Space)</h2>
|
||||
<p>로고 주변에는 최소 여백을 확보하여 가독성을 보장합니다.</p>
|
||||
|
||||
<div class="clearspace-demo">
|
||||
<div class="clearspace-box">
|
||||
<div class="logo-placeholder">JAMIE</div>
|
||||
</div>
|
||||
<p style="margin-top: 20px; color: #666; font-size: 0.9rem;">
|
||||
X = 로고 높이의 25% (또는 워드마크 'J' 높이)
|
||||
</p>
|
||||
</div>
|
||||
|
||||
<div class="note-box">
|
||||
<p><strong>Note:</strong> 상하좌우 동일하게 X값을 적용하며, 다른 그래픽 요소나 텍스트와 충분한 간격을 유지해야 합니다.</p>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 최소 크기 -->
|
||||
<section>
|
||||
<h2>최소 크기</h2>
|
||||
|
||||
<table class="spec-table">
|
||||
<thead>
|
||||
<tr>
|
||||
<th>매체</th>
|
||||
<th>최소 크기</th>
|
||||
<th>비고</th>
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
<tr>
|
||||
<td>인쇄물</td>
|
||||
<td>너비 25mm</td>
|
||||
<td>명함, 브로슈어 등</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>디지털 (일반)</td>
|
||||
<td>너비 80px</td>
|
||||
<td>웹, 앱 등</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>파비콘</td>
|
||||
<td>16×16px</td>
|
||||
<td>심볼만 사용</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td>SNS 프로필</td>
|
||||
<td>180×180px</td>
|
||||
<td>정사각형 로고</td>
|
||||
</tr>
|
||||
</tbody>
|
||||
</table>
|
||||
</section>
|
||||
|
||||
<!-- 사용 규칙 -->
|
||||
<section>
|
||||
<h2>사용 규칙</h2>
|
||||
|
||||
<div class="rules-grid">
|
||||
<div class="rule-card do">
|
||||
<h4>✓ Do's (권장)</h4>
|
||||
<ul>
|
||||
<li>공식 파일만 사용</li>
|
||||
<li>충분한 여백 확보</li>
|
||||
<li>적절한 배경 대비 유지</li>
|
||||
<li>최소 크기 이상으로 사용</li>
|
||||
<li>승인된 컬러만 적용</li>
|
||||
</ul>
|
||||
</div>
|
||||
|
||||
<div class="rule-card dont">
|
||||
<h4>✗ Don'ts (금지)</h4>
|
||||
<ul>
|
||||
<li>비율 변형 (늘리기, 줄이기)</li>
|
||||
<li>색상 임의 변경</li>
|
||||
<li>효과 추가 (그림자, 발광)</li>
|
||||
<li>복잡한 배경 위 사용</li>
|
||||
<li>로고 일부 자르기</li>
|
||||
<li>회전하여 사용</li>
|
||||
</ul>
|
||||
</div>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<!-- 파일 목록 -->
|
||||
<section>
|
||||
<h2>로고 파일</h2>
|
||||
|
||||
<h3>현재 보유 파일</h3>
|
||||
<div class="file-list">
|
||||
<div class="file-item">
|
||||
<div class="file-icon">PNG</div>
|
||||
<div class="file-details">
|
||||
<h4>_Jamie-Clinic-plaque.png</h4>
|
||||
<p>국문 조합형 • 밝은 배경용</p>
|
||||
</div>
|
||||
</div>
|
||||
<div class="file-item">
|
||||
<div class="file-icon">WEBP</div>
|
||||
<div class="file-details">
|
||||
<h4>jamie_logo_f_j.webp</h4>
|
||||
<p>영문 정사각형 • 흰색 • 다크 배경용</p>
|
||||
</div>
|
||||
</div>
|
||||
<div class="file-item">
|
||||
<div class="file-icon">JPG</div>
|
||||
<div class="file-details">
|
||||
<h4>Jamie-Clinic-Logo-Square-500x500-dark.jpg</h4>
|
||||
<p>영문 정사각형 • 브랜드 그린 • 500×500px</p>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<h3 style="margin-top: 30px;">추가 필요 파일 (권장)</h3>
|
||||
<div class="note-box">
|
||||
<p>벡터 원본 파일(AI, SVG)과 심볼만 있는 파일이 필요합니다. 파비콘, 앱 아이콘 등 다양한 크기로 사용하기 위해 벡터 파일 확보를 권장합니다.</p>
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<footer>
|
||||
<p>Jamie Clinic Logo Guidelines v1.0 • 2025-12-09</p>
|
||||
<p style="margin-top: 5px; font-size: 0.8rem;">제이미성형외과 마케팅팀</p>
|
||||
</footer>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
||||
324
_jamie-reference-raw-data/jamie_logo_guidelines.md
Normal file
324
_jamie-reference-raw-data/jamie_logo_guidelines.md
Normal file
@@ -0,0 +1,324 @@
|
||||
# 제이미성형외과 로고 가이드라인
|
||||
## Jamie Clinic Logo Guidelines
|
||||
|
||||
**버전**: 1.0
|
||||
**작성일**: 2025-12-09
|
||||
**참조 파일**:
|
||||
- _Jamie-Clinic-plaque.png
|
||||
- jamie_logo_f_j.webp
|
||||
- Jamie-Clinic-Logo-Square-500x500-dark.jpg
|
||||
|
||||
---
|
||||
|
||||
## 1. 로고 구성 요소
|
||||
|
||||
### 1.1 심볼 마크 (Symbol Mark)
|
||||
|
||||
```
|
||||
┌────────────────────────────────────────┐
|
||||
│ │
|
||||
│ ████ │
|
||||
│ ██ ██ │
|
||||
│ ██ ██ │
|
||||
│ ██ ██ 여성 얼굴 측면 실루엣 │
|
||||
│ ██ ██ (Face Profile) │
|
||||
│ ██ ██ │
|
||||
│ ████ │
|
||||
│ ██ │
|
||||
│ │
|
||||
└────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
**설명**:
|
||||
- 여성 얼굴의 측면 실루엣
|
||||
- 성형외과의 전문 분야인 '얼굴 성형'을 상징
|
||||
- 자연스럽고 아름다운 윤곽선 강조
|
||||
- 우아하고 세련된 이미지 전달
|
||||
|
||||
### 1.2 워드마크 (Wordmark)
|
||||
|
||||
| 언어 | 표기 | 서체 스타일 |
|
||||
|-----|------|------------|
|
||||
| 국문 | 제이미 성형외과 | 고딕 계열, Bold |
|
||||
| 영문 | JAMIE | Sans-serif, Bold, 대문자 |
|
||||
|
||||
### 1.3 조합형 로고 (Combination Mark)
|
||||
|
||||
**가로형 (국문)**
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ │
|
||||
│ [실루엣] 제이미 │
|
||||
│ 성형외과 │
|
||||
│ │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
**정사각형 (영문)**
|
||||
```
|
||||
┌───────────────────┐
|
||||
│ │
|
||||
│ [실루엣] │
|
||||
│ │
|
||||
│ JAMIE │
|
||||
│ │
|
||||
└───────────────────┘
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 2. 로고 버전
|
||||
|
||||
### 2.1 공식 로고 버전
|
||||
|
||||
| 버전 | 용도 | 파일 |
|
||||
|-----|------|------|
|
||||
| **국문 가로형** | 간판, 명판, 공식 문서, 인쇄물 | _Jamie-Clinic-plaque.png |
|
||||
| **영문 정사각형 (흰색)** | 다크 배경, SNS 프로필 | jamie_logo_f_j.webp |
|
||||
| **영문 정사각형 (그린)** | 브랜드 컬러 강조, 마케팅 | Jamie-Clinic-Logo-Square-500x500-dark.jpg |
|
||||
|
||||
### 2.2 컬러 변형
|
||||
|
||||
#### Primary (기본)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ 검정 배경 + Jamie Green 실루엣 │
|
||||
│ Background: #000000 │
|
||||
│ Symbol: #79A233 (Jamie Green) │
|
||||
│ Text: #79A233 (Jamie Green) │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
#### Monochrome - Dark (다크 모노크롬)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ 검정 배경 + 흰색 │
|
||||
│ Background: #000000 │
|
||||
│ Symbol: #FFFFFF │
|
||||
│ Text: #FFFFFF │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
#### Monochrome - Light (라이트 모노크롬)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ 흰색/밝은 배경 + 검정 │
|
||||
│ Background: #FFFFFF │
|
||||
│ Symbol: #000000 │
|
||||
│ Text: #000000 │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
#### Reversed (반전)
|
||||
```
|
||||
┌─────────────────────────────────────────────────┐
|
||||
│ Jamie Green 배경 + 흰색 │
|
||||
│ Background: #79A233 │
|
||||
│ Symbol: #FFFFFF │
|
||||
│ Text: #FFFFFF │
|
||||
└─────────────────────────────────────────────────┘
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 3. 로고 사용 규정
|
||||
|
||||
### 3.1 최소 크기 (Minimum Size)
|
||||
|
||||
| 매체 | 최소 너비 | 설명 |
|
||||
|-----|----------|------|
|
||||
| **인쇄물** | 25mm | 명함, 브로슈어 등 |
|
||||
| **디지털** | 80px | 웹, 앱, SNS 등 |
|
||||
| **파비콘** | 16×16px | 심볼만 사용 |
|
||||
| **SNS 프로필** | 180×180px | 정사각형 로고 |
|
||||
|
||||
### 3.2 여백 규정 (Clear Space)
|
||||
|
||||
로고 주변에는 최소 여백(Clear Space)을 확보하여 가독성을 보장합니다.
|
||||
|
||||
```
|
||||
┌─────────────────────────────────────────┐
|
||||
│ │
|
||||
│ ┌───────────────────────────┐ │
|
||||
│ │ ← X → │ │
|
||||
│ │ ↑ │ │
|
||||
│ │ X ┌───────────┐ │ │
|
||||
│ │ ↓ │ LOGO │ │ │
|
||||
│ │ └───────────┘ │ │
|
||||
│ │ ← X → │ │
|
||||
│ └───────────────────────────┘ │
|
||||
│ │
|
||||
└─────────────────────────────────────────┘
|
||||
|
||||
X = 로고 높이의 25% (또는 워드마크 'J' 높이)
|
||||
```
|
||||
|
||||
**여백 기준**:
|
||||
- 상하좌우 동일하게 X값 적용
|
||||
- 다른 그래픽 요소, 텍스트와 충분한 간격 유지
|
||||
- 가장자리(테두리)에 너무 가깝게 배치 금지
|
||||
|
||||
### 3.3 배치 가이드
|
||||
|
||||
| 위치 | 권장 | 비권장 |
|
||||
|-----|------|--------|
|
||||
| **문서 헤더** | 좌측 상단 또는 중앙 | 우측 하단 |
|
||||
| **명함** | 전면 중앙 또는 좌측 | 뒤집어서 배치 |
|
||||
| **웹사이트** | 좌측 상단 (헤더) | 푸터에만 배치 |
|
||||
| **SNS** | 프로필 이미지 중앙 | 잘린 상태로 사용 |
|
||||
|
||||
---
|
||||
|
||||
## 4. 로고 사용 금지 사항
|
||||
|
||||
### 4.1 비율 변형 금지
|
||||
|
||||
```
|
||||
❌ 가로로 늘리기 ❌ 세로로 늘리기 ❌ 기울이기
|
||||
┌──────────────┐ ┌────┐ ╱────╲
|
||||
│ JAMIE │ │ J │ ╱ JAMIE╲
|
||||
│ (늘어남) │ │ A │ ╱ ╲
|
||||
└──────────────┘ │ M │
|
||||
│ I │
|
||||
│ E │
|
||||
└────┘
|
||||
```
|
||||
|
||||
### 4.2 색상 임의 변경 금지
|
||||
|
||||
```
|
||||
❌ 승인되지 않은 색상 사용
|
||||
- 빨강, 파랑, 노랑 등 브랜드 컬러가 아닌 색상
|
||||
- 그라데이션 적용
|
||||
- 무지개 색상
|
||||
|
||||
✓ 승인된 색상만 사용
|
||||
- #000000 (Black)
|
||||
- #FFFFFF (White)
|
||||
- #79A233 (Jamie Green)
|
||||
- #AFCC6D (Jamie Light Green)
|
||||
- #6d7856 (Jamie Main)
|
||||
```
|
||||
|
||||
### 4.3 배경 대비 부적절 사용 금지
|
||||
|
||||
```
|
||||
❌ 대비 부족 ✓ 충분한 대비
|
||||
|
||||
┌──────────────────┐ ┌──────────────────┐
|
||||
│ ░░░░░░░░░░░░░░░░ │ │ ████████████████ │
|
||||
│ ░░ JAMIE ░░░░░░░ │ │ ██ JAMIE ████ │
|
||||
│ ░░░░░░░░░░░░░░░░ │ │ ████████████████ │
|
||||
└──────────────────┘ └──────────────────┘
|
||||
(밝은 배경 + 밝은 로고) (어두운 배경 + 밝은 로고)
|
||||
```
|
||||
|
||||
### 4.4 기타 금지 사항
|
||||
|
||||
| 금지 사항 | 설명 |
|
||||
|----------|------|
|
||||
| **요소 분리** | 심볼과 워드마크를 임의로 분리하여 사용 |
|
||||
| **효과 추가** | 그림자, 엠보싱, 외곽선, 발광 효과 등 |
|
||||
| **텍스트 변경** | 워드마크 폰트 변경 또는 글자 수정 |
|
||||
| **장식 추가** | 별, 하트, 밑줄 등 장식 요소 추가 |
|
||||
| **복잡한 배경** | 패턴, 사진 위에 직접 배치 (단색 배경 권장) |
|
||||
| **로고 자르기** | 로고의 일부가 잘리도록 배치 |
|
||||
| **회전** | 45°, 90° 등 임의 회전 |
|
||||
|
||||
---
|
||||
|
||||
## 5. 매체별 적용 가이드
|
||||
|
||||
### 5.1 인쇄물
|
||||
|
||||
| 매체 | 권장 버전 | 파일 형식 | 최소 해상도 |
|
||||
|-----|----------|----------|------------|
|
||||
| 명함 | 국문 가로형 | AI, PDF | 300dpi |
|
||||
| 브로슈어 | 국문 가로형 | AI, PDF | 300dpi |
|
||||
| 간판 | 국문 가로형 | AI, EPS | 벡터 |
|
||||
| 봉투/레터헤드 | 국문 가로형 | AI, PDF | 300dpi |
|
||||
|
||||
### 5.2 디지털
|
||||
|
||||
| 매체 | 권장 버전 | 파일 형식 | 권장 크기 |
|
||||
|-----|----------|----------|----------|
|
||||
| 웹사이트 헤더 | 영문 가로형 | PNG, SVG | 높이 60px |
|
||||
| 파비콘 | 심볼만 | ICO, PNG | 32×32px |
|
||||
| 이메일 서명 | 국문 가로형 | PNG | 높이 50px |
|
||||
| SNS 프로필 | 정사각형 | PNG, JPG | 500×500px |
|
||||
|
||||
### 5.3 SNS 채널별
|
||||
|
||||
| 채널 | 프로필 | 커버 | 워터마크 |
|
||||
|-----|-------|------|---------|
|
||||
| Instagram | 정사각형 (그린) | - | 정사각형 (투명) |
|
||||
| YouTube | 정사각형 (흰색) | 국문 가로형 | 정사각형 (투명) |
|
||||
| Naver Blog | 정사각형 (그린) | 국문 가로형 | - |
|
||||
| KakaoTalk | 정사각형 (흰색) | - | - |
|
||||
|
||||
---
|
||||
|
||||
## 6. 로고 파일 목록
|
||||
|
||||
### 6.1 제공 파일
|
||||
|
||||
| 파일명 | 형식 | 크기 | 용도 |
|
||||
|-------|-----|------|------|
|
||||
| _Jamie-Clinic-plaque.png | PNG | 가변 | 국문 조합형, 밝은 배경용 |
|
||||
| jamie_logo_f_j.webp | WebP | 정사각형 | 영문 정사각형, 다크 배경용 (흰색) |
|
||||
| Jamie-Clinic-Logo-Square-500x500-dark.jpg | JPG | 500×500px | 영문 정사각형, 다크 배경용 (그린) |
|
||||
|
||||
### 6.2 추가 필요 파일 (권장)
|
||||
|
||||
| 파일 | 형식 | 용도 | 우선순위 |
|
||||
|-----|-----|------|---------|
|
||||
| jamie_logo_vector.ai | AI | 원본 벡터 (편집용) | 🔴 높음 |
|
||||
| jamie_logo_vector.svg | SVG | 웹용 벡터 | 🔴 높음 |
|
||||
| jamie_symbol_only.png | PNG | 심볼만 (파비콘, 앱 아이콘) | 🔴 높음 |
|
||||
| jamie_logo_kr_horizontal.png | PNG | 국문 가로형 (투명 배경) | 🟡 중간 |
|
||||
| jamie_logo_reversed.png | PNG | 반전 버전 (그린 배경) | 🟢 낮음 |
|
||||
|
||||
---
|
||||
|
||||
## 7. 로고 사용 승인 프로세스
|
||||
|
||||
### 7.1 내부 사용
|
||||
- 마케팅팀 또는 디자인 담당자가 가이드라인에 따라 자유롭게 사용
|
||||
- 새로운 적용 사례는 기록 및 공유
|
||||
|
||||
### 7.2 외부 협력사/대행사 사용
|
||||
1. 로고 파일 요청 시 본 가이드라인 함께 제공
|
||||
2. 시안 검토 단계에서 가이드라인 준수 여부 확인
|
||||
3. 최종 결과물 승인 후 사용
|
||||
|
||||
### 7.3 미디어/언론 사용
|
||||
1. 공식 로고 파일 제공 (압축 파일 형태)
|
||||
2. 가이드라인 준수 요청
|
||||
3. 게재 전 확인 권장
|
||||
|
||||
---
|
||||
|
||||
## 8. 버전 히스토리
|
||||
|
||||
| 버전 | 날짜 | 변경 내용 | 작성자 |
|
||||
|-----|------|----------|-------|
|
||||
| 1.0 | 2025-12-09 | 초안 작성 | Marketing |
|
||||
|
||||
---
|
||||
|
||||
## 부록: 빠른 참조 가이드
|
||||
|
||||
### ✅ Do's (권장)
|
||||
- 공식 파일만 사용
|
||||
- 충분한 여백 확보
|
||||
- 적절한 배경 대비 유지
|
||||
- 최소 크기 이상으로 사용
|
||||
- 승인된 컬러만 적용
|
||||
|
||||
### ❌ Don'ts (금지)
|
||||
- 비율 변형
|
||||
- 색상 임의 변경
|
||||
- 효과 추가 (그림자, 발광 등)
|
||||
- 복잡한 배경 위 사용
|
||||
- 로고 일부 자르기
|
||||
- 다른 요소와 너무 가깝게 배치
|
||||
@@ -0,0 +1,215 @@
|
||||
# 정기호 원장 톤앤매너 분석 프레임워크
|
||||
|
||||
## 📊 분석 대상 음성 파일 (19개, 총 65분)
|
||||
|
||||
### 카테고리별 분류
|
||||
|
||||
| 카테고리 | 파일 수 | 총 길이 | 파일 목록 |
|
||||
|---------|--------|--------|----------|
|
||||
| 브랜드 | 1 | 27초 | 인사말 |
|
||||
| 눈 성형 | 8 | 약 30분 | 눈성형, 퀵매몰법, 하이브리드 쌍꺼풀, 안검하수 눈매교정술, 눈밑 지방 재배치, 듀얼 트임 수술, 눈썹밑 피부절개술, 눈 재수술 |
|
||||
| 이마 성형 | 4 | 약 21분 | 이마성형, 내시경 이마 거상술, 내시경 이마 거상술 Q&A, 내시경 눈썹 거상술 |
|
||||
| 동안 성형 | 6 | 약 22분 | 동안 성형, 동안 시술, 앞광대 리프팅, 스마스 리프팅, 자가지방이식, 하이푸 리프팅 |
|
||||
|
||||
---
|
||||
|
||||
## 🎯 분석 항목
|
||||
|
||||
### 1. 언어적 특성 (Linguistic Features)
|
||||
|
||||
#### 1.1 문장 구조
|
||||
- [ ] 평균 문장 길이
|
||||
- [ ] 주요 문장 패턴 (평서문, 의문문, 명령문 비율)
|
||||
- [ ] 복문 vs 단문 비율
|
||||
- [ ] 접속사 사용 패턴
|
||||
|
||||
#### 1.2 종결 어미
|
||||
- [ ] 주요 종결 어미 목록 (~합니다, ~입니다, ~드립니다 등)
|
||||
- [ ] 격식체 vs 비격식체 비율
|
||||
- [ ] 상황별 종결 어미 변화
|
||||
|
||||
#### 1.3 호칭 및 지시어
|
||||
- [ ] 환자/고객 호칭 방식
|
||||
- [ ] 자기 지칭 방식 (저, 저희, 제이미 등)
|
||||
- [ ] 시술 지칭 방식
|
||||
|
||||
#### 1.4 전문 용어 사용
|
||||
- [ ] 의학 용어 사용 빈도
|
||||
- [ ] 쉬운 설명으로 대체하는 패턴
|
||||
- [ ] 비유적 표현 사용
|
||||
|
||||
### 2. 커뮤니케이션 스타일 (Communication Style)
|
||||
|
||||
#### 2.1 설명 방식
|
||||
- [ ] 도입부 패턴 (주제 소개 방식)
|
||||
- [ ] 본론 전개 구조
|
||||
- [ ] 마무리 패턴
|
||||
|
||||
#### 2.2 설득 전략
|
||||
- [ ] 신뢰 구축 표현
|
||||
- [ ] 우려 해소 표현
|
||||
- [ ] 차별화 강조 방식
|
||||
|
||||
#### 2.3 감정적 톤
|
||||
- [ ] 따뜻함/친근함 표현
|
||||
- [ ] 전문성/신뢰감 표현
|
||||
- [ ] 조심스러움/겸손함 표현
|
||||
|
||||
### 3. 반복 패턴 (Recurring Patterns)
|
||||
|
||||
#### 3.1 핵심 키워드
|
||||
- [ ] 가장 자주 사용되는 단어 TOP 20
|
||||
- [ ] 시술별 핵심 키워드
|
||||
- [ ] 브랜드 관련 키워드
|
||||
|
||||
#### 3.2 관용적 표현
|
||||
- [ ] 자주 사용하는 관용구
|
||||
- [ ] 비유적 표현
|
||||
- [ ] 설명 패턴
|
||||
|
||||
#### 3.3 금기 표현 (사용하지 않는 표현)
|
||||
- [ ] 과장 표현 회피 패턴
|
||||
- [ ] 보장/확정 표현 회피 패턴
|
||||
- [ ] 비교 우위 표현 회피 패턴
|
||||
|
||||
---
|
||||
|
||||
## 📝 톤앤매너 가이드 템플릿
|
||||
|
||||
트랜스크립션 분석 후 아래 형식으로 톤앤매너 가이드를 작성합니다.
|
||||
|
||||
### 1. 브랜드 퍼스낼리티 (Brand Personality)
|
||||
|
||||
```
|
||||
제이미성형외과의 커뮤니케이션 성격
|
||||
|
||||
핵심 성격 (3-5개):
|
||||
1. [성격 1]: [정의]
|
||||
2. [성격 2]: [정의]
|
||||
3. [성격 3]: [정의]
|
||||
|
||||
예시 표현:
|
||||
- [성격 1] 예시: "..."
|
||||
- [성격 2] 예시: "..."
|
||||
```
|
||||
|
||||
### 2. 커뮤니케이션 원칙 (Communication Principles)
|
||||
|
||||
```
|
||||
✓ 우리는 이렇게 말합니다 (Do's)
|
||||
1. [원칙 1]
|
||||
- 예시: "..."
|
||||
|
||||
2. [원칙 2]
|
||||
- 예시: "..."
|
||||
|
||||
✗ 우리는 이렇게 말하지 않습니다 (Don'ts)
|
||||
1. [금지 원칙 1]
|
||||
- 피해야 할 표현: "..."
|
||||
- 대체 표현: "..."
|
||||
```
|
||||
|
||||
### 3. 문체 가이드 (Writing Style Guide)
|
||||
|
||||
```
|
||||
종결 어미:
|
||||
- 기본: ~합니다, ~입니다
|
||||
- 권유: ~드립니다, ~하시는 게 좋겠습니다
|
||||
- 설명: ~이에요, ~거든요 (상담 시)
|
||||
|
||||
문장 길이:
|
||||
- 권장: [X]자 이내
|
||||
- 한 문장에 한 가지 정보
|
||||
|
||||
호칭:
|
||||
- 환자/고객: [분석 결과]
|
||||
- 원장: [분석 결과]
|
||||
- 시술: [분석 결과]
|
||||
```
|
||||
|
||||
### 4. 상황별 톤 가이드 (Situational Tone)
|
||||
|
||||
```
|
||||
| 상황 | 톤 | 예시 표현 |
|
||||
|------|-----|----------|
|
||||
| 시술 설명 | [분석 결과] | "..." |
|
||||
| 우려 해소 | [분석 결과] | "..." |
|
||||
| 결과 안내 | [분석 결과] | "..." |
|
||||
| 사후관리 | [분석 결과] | "..." |
|
||||
```
|
||||
|
||||
### 5. 핵심 표현 사전 (Expression Dictionary)
|
||||
|
||||
```
|
||||
✓ 권장 표현
|
||||
| 상황 | 권장 표현 |
|
||||
|------|----------|
|
||||
| 자연스러움 강조 | [분석 결과] |
|
||||
| 안전성 언급 | [분석 결과] |
|
||||
| 경험 언급 | [분석 결과] |
|
||||
|
||||
✗ 금지 표현 (의료광고법 + 브랜드)
|
||||
| 금지 표현 | 대체 표현 | 사유 |
|
||||
|----------|----------|------|
|
||||
| 전문 | 중점 진료 | 의료광고법 |
|
||||
| 보장 | 지향 | 의료광고법 |
|
||||
| [추가 분석] | | |
|
||||
```
|
||||
|
||||
---
|
||||
|
||||
## 🔄 다음 단계
|
||||
|
||||
### 트랜스크립션 완료 후 작업 순서
|
||||
|
||||
1. **텍스트 수집**
|
||||
- 19개 파일 트랜스크립션 텍스트 통합
|
||||
|
||||
2. **정량적 분석**
|
||||
- 단어 빈도 분석
|
||||
- 문장 패턴 분석
|
||||
- 종결 어미 분류
|
||||
|
||||
3. **정성적 분석**
|
||||
- 커뮤니케이션 스타일 파악
|
||||
- 설득 전략 추출
|
||||
- 감정적 톤 정의
|
||||
|
||||
4. **톤앤매너 가이드 작성**
|
||||
- 브랜드 퍼스낼리티 정의
|
||||
- 커뮤니케이션 원칙 수립
|
||||
- 문체 가이드 작성
|
||||
- 상황별 톤 정의
|
||||
- 핵심 표현 사전 구축
|
||||
|
||||
5. **Notion 브랜드가이드 반영**
|
||||
- PART 3: BRAND VOICE 섹션에 추가
|
||||
|
||||
---
|
||||
|
||||
## 📎 트랜스크립션 서비스 가이드
|
||||
|
||||
### Clova Note 사용법 (권장)
|
||||
1. https://clovanote.naver.com 접속
|
||||
2. 네이버 로그인
|
||||
3. MP3 파일 업로드 (최대 300분 무료)
|
||||
4. 자동 변환 완료 후 텍스트 복사
|
||||
5. 텍스트 파일로 저장 후 업로드
|
||||
|
||||
### Whisper Web 사용법
|
||||
1. https://whisper.ggerganov.com 접속
|
||||
2. 모델 선택 (medium 권장)
|
||||
3. 언어: Korean 선택
|
||||
4. MP3 파일 업로드
|
||||
5. 변환 완료 후 텍스트 복사
|
||||
|
||||
### Vrew 사용법
|
||||
1. https://vrew.voyagerx.com 다운로드
|
||||
2. 프로젝트 생성 → 음성 파일 추가
|
||||
3. 자동 자막 생성
|
||||
4. 텍스트 내보내기
|
||||
|
||||
---
|
||||
|
||||
*이 프레임워크는 트랜스크립션 텍스트가 준비되면 즉시 분석을 시작할 수 있도록 설계되었습니다.*
|
||||
*Last updated: 2025-12-09*
|
||||
344
_jamie-reference-raw-data/jamie_tone_manner_guide_v1.0.md
Normal file
344
_jamie-reference-raw-data/jamie_tone_manner_guide_v1.0.md
Normal file
@@ -0,0 +1,344 @@
|
||||
# 제이미성형외과 톤앤매너 가이드 v1.0
|
||||
|
||||
> **분석 기반**: 정기호 원장 음성 녹음 19개 파일 (총 65분)
|
||||
> **작성일**: 2025-12-09
|
||||
> **목적**: 브랜드 보이스 일관성 유지를 위한 커뮤니케이션 표준
|
||||
|
||||
---
|
||||
|
||||
## 1. 브랜드 퍼스낼리티 (Brand Personality)
|
||||
|
||||
정기호 원장의 실제 말투에서 추출한 제이미성형외과의 커뮤니케이션 성격입니다.
|
||||
|
||||
### 핵심 성격 5가지
|
||||
|
||||
| 성격 | 정의 | 원장 표현 예시 |
|
||||
|------|------|---------------|
|
||||
| **신뢰감 있는 전문가** | 의학적 근거와 경험을 바탕으로 정확한 정보 전달 | "2008년부터 눈 성형을 전문적으로 시행하고 있고" |
|
||||
| **따뜻한 설명자** | 어려운 의학 용어를 쉬운 비유로 풀어주는 친절함 | "나무 옮겨 심는 거랑 똑같다고 하거든요" |
|
||||
| **솔직한 조언자** | 과장 없이 현실적인 기대치를 제시하는 진정성 | "세상에 아무리 뛰어난 의사라도 100% 성공률은 없어요" |
|
||||
| **환자 중심 사고** | 환자의 고민과 불안을 먼저 이해하고 해결책 제시 | "환자분들이 말씀하시는 졸린 눈은..." |
|
||||
| **겸손한 자신감** | 자신의 기술력을 과시하지 않으면서도 확신을 주는 태도 | "저희들이 시행하고 있습니다" |
|
||||
|
||||
---
|
||||
|
||||
## 2. 문체 가이드 (Writing Style Guide)
|
||||
|
||||
### 2.1 종결 어미 사용 비율
|
||||
|
||||
분석 결과에 따른 실제 사용 비율입니다.
|
||||
|
||||
```
|
||||
격식체 (~습니다/~입니다): 90%
|
||||
├── ~습니다 (184회) ████████████████████ 72%
|
||||
├── ~입니다 (73회) ███████ 28%
|
||||
│
|
||||
서비스형 (~드립니다): 6%
|
||||
├── ~드립니다 (9회)
|
||||
├── ~되겠습니다 (8회)
|
||||
│
|
||||
부드러운 어미 (~거든요/~해요): 4%
|
||||
└── Q&A 답변 시 주로 사용
|
||||
```
|
||||
|
||||
### 2.2 종결 어미 사용 가이드
|
||||
|
||||
| 상황 | 권장 어미 | 예시 |
|
||||
|------|----------|------|
|
||||
| 정보 전달 | ~입니다, ~습니다 | "내시경 이마거상술은 두피 내 3곳에 절개를 통해 진행됩니다" |
|
||||
| 서비스 안내 | ~드립니다, ~드리고 있습니다 | "5년간 AS를 보장해 드리고 있습니다" |
|
||||
| 권유/제안 | ~추천드립니다, ~바랍니다 | "상담을 추천드립니다" |
|
||||
| 결과 예상 | ~되겠습니다, ~수 있겠습니다 | "자연스러운 눈매를 얻을 수 있겠습니다" |
|
||||
| Q&A 설명 | ~거든요, ~인데요 | "흉터가 남는 경우는 극히 드물거든요" |
|
||||
| 친근한 설명 | ~해요, ~예요 | "이 경우에는 찾을 수 있어요" |
|
||||
|
||||
### 2.3 호칭 가이드
|
||||
|
||||
**분석 결과**:
|
||||
- 환자분/환자분들: 30회 (61%)
|
||||
- 고객님/고객님들: 11회 (22%)
|
||||
- 여러분: 8회 (17%)
|
||||
|
||||
| 상황 | 권장 호칭 | 사용 맥락 |
|
||||
|------|----------|----------|
|
||||
| 의료 설명 시 | 환자분, 환자분들 | 수술/시술 관련 설명 |
|
||||
| 서비스 안내 시 | 고객님, 고객님들 | 상담, AS, 프로그램 안내 |
|
||||
| 일반적 호소 | 여러분 | 영상 도입부, 마무리 |
|
||||
|
||||
### 2.4 자기/병원 지칭
|
||||
|
||||
| 지칭 | 사용 빈도 | 사용 맥락 |
|
||||
|------|----------|----------|
|
||||
| 제이미 성형외과 | 72회 | 공식 안내, 차별점 강조 |
|
||||
| 저희 (제이미에서는) | 25회 | 서비스/방법 설명 |
|
||||
| 저 | Q&A 시 | 개인 의견, 경험 공유 |
|
||||
| 제이미 | 브랜드 강조 시 | "제이미의 퀵매몰법" |
|
||||
|
||||
---
|
||||
|
||||
## 3. 콘텐츠 구조 패턴
|
||||
|
||||
### 3.1 도입부 (Opening)
|
||||
|
||||
**표준 인사말** (100% 동일):
|
||||
```
|
||||
"안녕하세요. 제이미 성형외과 정기호 원장입니다."
|
||||
```
|
||||
|
||||
**주제 소개 패턴**:
|
||||
```
|
||||
"오늘은 [타겟 고객/고민]을 위한 [시술명]에 대해 [말씀드리겠습니다/소개해 드리겠습니다/설명드리겠습니다]."
|
||||
```
|
||||
|
||||
**실제 예시**:
|
||||
- "오늘은 낮은 이마와 눈썹 때문에 많은 고민을 하고 계신 젊은 층 고객을 위한 내시경 눈썹 거상술을 소개해 드리겠습니다."
|
||||
- "오늘은 깊어지는 이마 주름과 처진 눈꺼풀로 고민하시는 중장년층을 위한 내시경 이마 거상술에 대해 말씀드리겠습니다."
|
||||
|
||||
### 3.2 본론 (Body)
|
||||
|
||||
**구조 패턴**:
|
||||
```
|
||||
1. 문제 제기 (공감)
|
||||
→ 환자의 고민/증상 설명
|
||||
|
||||
2. 원인 설명 (교육)
|
||||
→ 왜 이런 문제가 생기는지
|
||||
|
||||
3. 해결책 제시 (제이미의 방법)
|
||||
→ 제이미 성형외과의 시술 소개
|
||||
|
||||
4. 장점 나열 (차별점)
|
||||
→ 회복 기간, 흉터, 통증, 마취 방법 등
|
||||
|
||||
5. 기대 효과 (비전)
|
||||
→ 수술 후 얻을 수 있는 결과
|
||||
```
|
||||
|
||||
### 3.3 마무리 (Closing)
|
||||
|
||||
**CTA 패턴**:
|
||||
```
|
||||
"[고민]이시라면 [지금 바로] 제이미 성형외과의 [시술명] 상담을 [추천드립니다/받아보시기를 바랍니다]."
|
||||
```
|
||||
|
||||
**실제 예시**:
|
||||
- "어둡고 칙칙한 눈밑으로 고민이시라면 지금 바로 제이미 성형외과의 상담받으세요."
|
||||
- "답답한 눈매로 고민이시라면 지금 바로 제이미 성형외과의 상담을 추천드립니다."
|
||||
- "언제든지 편안한 마음으로 상담해 주시면 감사하겠습니다."
|
||||
|
||||
---
|
||||
|
||||
## 4. 핵심 표현 사전 (Expression Dictionary)
|
||||
|
||||
### 4.1 긍정적 형용사/부사 (권장)
|
||||
|
||||
| 표현 | 사용 빈도 | 사용 맥락 |
|
||||
|------|----------|----------|
|
||||
| **자연스러운/자연스럽게** | 16회 ⭐ | 결과 묘사의 핵심 키워드 |
|
||||
| **젊은/젊음/젊어지는** | 12회 | 동안 성형 관련 |
|
||||
| **효과적인/효과적으로** | 7회 | 시술 방법 설명 |
|
||||
| **편안한/편안하게** | 6회 | 회복, 인상 묘사 |
|
||||
| **시원한/시원하게** | 6회 | 눈매 결과 묘사 |
|
||||
| **생기 있는** | 6회 | 동안/젊음 묘사 |
|
||||
| **또렷한/또렷하게** | 2회 | 눈매 결과 묘사 |
|
||||
| **부드러운** | 3회 | 인상/눈썹 묘사 |
|
||||
|
||||
### 4.2 신뢰 구축 표현
|
||||
|
||||
| 표현 | 사용 맥락 |
|
||||
|------|----------|
|
||||
| "풍부한 경험을 바탕으로" | 전문성 강조 |
|
||||
| "숙련된 기술과 경험" | 안전성 강조 |
|
||||
| "2008년부터 ~ 시행하고 있고" | 연혁 언급 |
|
||||
| "5년간 AS를 보장" | 사후관리 강조 |
|
||||
| "제가 직접 집도하고 있습니다" | 책임감 표현 |
|
||||
| "동영상을 통해 확인시켜 드리고 있습니다" | 투명성 강조 |
|
||||
|
||||
### 4.3 우려 해소 표현
|
||||
|
||||
| 환자 우려 | 원장 대응 표현 |
|
||||
|----------|---------------|
|
||||
| 흉터 걱정 | "일상생활 속에서는 그 절개선이 눈에 거의 띄지 않아요" |
|
||||
| 탈모 걱정 | "숙련된 선생님이 수술할 경우 탈모는 극히 드뭅니다" |
|
||||
| 부작용 걱정 | "걱정을 너무 많이 하실 필요는 없겠습니다" |
|
||||
| 통증 걱정 | "수면 마취와 국소 마취로 통증 없이 진행됩니다" |
|
||||
| 회복 기간 | "수술 다음 날부터 세안, 샴푸, 샤워, 화장이 가능합니다" |
|
||||
|
||||
### 4.4 비유/쉬운 설명 패턴 ⭐
|
||||
|
||||
정기호 원장 스타일의 핵심 특징입니다.
|
||||
|
||||
| 주제 | 비유 표현 |
|
||||
|------|----------|
|
||||
| 지방 이식 생착 | "나무 옮겨 심는 거랑 똑같다고 하거든요. 한 번 옮겨 심은 나무는 그 자리에서 계속 자라는 거예요." |
|
||||
| 3점 고정 | "인형을 실을 달아서 인형극을 한다고 했을 때 실이 두 줄인 거랑 세 줄 네 줄인 거랑은 움직임의 자연스러움이 차이가 있겠죠" |
|
||||
| 재수술 | "깨끗한 도화지에 그림을 그리면 화가의 실력이 100% 발휘가 될 텐데, 재수술은 어느 정도 오염되거나 낙서가 있는 도화지에 덧칠을 하는 것" |
|
||||
| 엔도타인 | "똑딱이 단추와 같은 나사라고 생각하셔도 되겠습니다" |
|
||||
| 흉터 위치 | "속눈썹과 눈썹이 있는 피부의 경계선에 절개선을 위치시키면 일상 속에서는 거의 눈에 띄지 않아요" |
|
||||
|
||||
**비유 사용 패턴**:
|
||||
```
|
||||
"~라고 하거든요" / "~라고 생각하셔도 되겠습니다" / "~이렇게 이해하시면 되겠습니다"
|
||||
```
|
||||
|
||||
### 4.5 진솔함/겸손 표현 ⭐
|
||||
|
||||
과장 없이 현실적 기대치를 제시하는 정기호 원장 스타일의 핵심입니다.
|
||||
|
||||
| 상황 | 진솔한 표현 |
|
||||
|------|------------|
|
||||
| 수술 한계 인정 | "환자분이 원하는 만큼의 결과에 도달하지 못할 가능성이 제법 있다" |
|
||||
| 의사 한계 인정 | "세상에 아무리 뛰어난 의사라도 100% 성공률을 가지고 수술을 하는 경우는 없어요" |
|
||||
| 자기 경험 공유 | "저조차도 수술을 실패하는 수가 있거든요" |
|
||||
| 개선 한계 | "피부 자체가 어두운 부분은 개선에 한계가 있다 이렇게 생각하시면 되겠습니다" |
|
||||
| 효과 지속 한계 | "시간이 지나면서 자연스럽게 처지고 주름이 생기는 것을 막지는 못합니다" |
|
||||
|
||||
---
|
||||
|
||||
## 5. Q&A 스타일 가이드
|
||||
|
||||
### 5.1 답변 시작 패턴
|
||||
|
||||
```
|
||||
"네, [질문 핵심 반복/요약] ~"
|
||||
```
|
||||
|
||||
**예시**:
|
||||
- "네, 눈매 교정 수술은 눈 수술 중에 가장 난이도가 높은 수술이기 때문에..."
|
||||
- "네, 이런 질문이 나온 이유는..."
|
||||
|
||||
### 5.2 Q&A 종결 어미
|
||||
|
||||
Q&A에서는 격식체와 부드러운 어미를 혼용합니다.
|
||||
|
||||
| 유형 | 비율 | 예시 |
|
||||
|------|------|------|
|
||||
| 격식체 | 70% | "~라고 답변드리겠습니다" |
|
||||
| 부드러운 어미 | 30% | "~거든요", "~예요", "~해요" |
|
||||
|
||||
### 5.3 구체적 수치 제시 ⭐
|
||||
|
||||
정기호 원장의 특징적인 설명 방식입니다.
|
||||
|
||||
| 항목 | 수치 예시 |
|
||||
|------|----------|
|
||||
| 수술 시간 | "10~15분", "1시간 정도", "4시간 정도" |
|
||||
| 회복 기간 | "다음 날부터", "4~5일", "일주일 정도" |
|
||||
| AS 기간 | "5년간 AS 보장" |
|
||||
| 관리 프로그램 | "1년간 무료 리프팅 관리" |
|
||||
| 생착률 | "30% 정도, 많게는 40%까지" |
|
||||
| 효과 지속 | "5년 이상", "반영구적" |
|
||||
| 시술 지속 | "실리프팅 1년", "하이푸 3~6개월", "보톡스 4개월" |
|
||||
|
||||
---
|
||||
|
||||
## 6. 채널별 적용 가이드
|
||||
|
||||
### 6.1 웹사이트 (시술 소개 페이지)
|
||||
|
||||
- **도입**: 표준 인사말 생략 가능, 주제 소개로 시작
|
||||
- **본론**: 문제-원인-해결-장점-효과 구조 유지
|
||||
- **마무리**: CTA + 상담 연결
|
||||
|
||||
### 6.2 블로그/네이버 포스트
|
||||
|
||||
- **도입**: "안녕하세요. 제이미 성형외과입니다." (원장 이름 생략 가능)
|
||||
- **본론**: 비유와 쉬운 설명 적극 활용
|
||||
- **Q&A**: 실제 상담 질문 형식으로 구성
|
||||
|
||||
### 6.3 영상 콘텐츠 (YouTube)
|
||||
|
||||
- **도입**: 표준 인사말 필수 사용
|
||||
- **본론**: 원장 말투 그대로 유지
|
||||
- **마무리**: "상담을 추천드립니다" CTA
|
||||
|
||||
### 6.4 SNS (Instagram)
|
||||
|
||||
- **톤**: 격식체 유지하되 문장 짧게
|
||||
- **호칭**: "여러분" 권장
|
||||
- **CTA**: "편안하게 상담해 주세요"
|
||||
|
||||
---
|
||||
|
||||
## 7. Do's & Don'ts
|
||||
|
||||
### ✓ Do's (권장)
|
||||
|
||||
| 항목 | 예시 |
|
||||
|------|------|
|
||||
| 환자 고민 먼저 공감 | "~로 고민하시는 분들이 많습니다" |
|
||||
| 쉬운 비유로 설명 | "나무 옮겨 심는 것처럼..." |
|
||||
| 구체적 수치 제시 | "5년간 AS 보장", "1시간 내외" |
|
||||
| 현실적 기대치 제시 | "개선에 한계가 있을 수 있습니다" |
|
||||
| 회복 정보 구체적 안내 | "수술 다음 날부터 세안, 샴푸, 화장 가능" |
|
||||
| 선택권 제공 | "~를 원하시면 ~를 추천드립니다" |
|
||||
|
||||
### ✗ Don'ts (금지)
|
||||
|
||||
| 항목 | 피해야 할 표현 | 대체 표현 |
|
||||
|------|---------------|----------|
|
||||
| 과장된 효과 보장 | "100% 성공" | "대부분의 경우 좋은 결과를 기대할 수 있습니다" |
|
||||
| 타 병원 비교 | "다른 병원보다 우수" | "저희만의 방법으로..." |
|
||||
| 절대적 표현 | "부작용 없음" | "부작용은 극히 드뭅니다" |
|
||||
| 단정적 결과 | "반드시 좋아집니다" | "개선을 기대할 수 있겠습니다" |
|
||||
| 가벼운 어투 | "완전 대박!", "짱!" | "만족스러운 결과를 얻으실 수 있습니다" |
|
||||
|
||||
---
|
||||
|
||||
## 8. 핵심 메시지 (Brand Essence)
|
||||
|
||||
인사말에서 추출한 제이미성형외과의 핵심 가치입니다.
|
||||
|
||||
> **"자연스럽게 어우러지는 얼굴 전체의 조화를 최우선으로 하며,
|
||||
> 꼭 필요한 시술만 안전하고 효과적인 방법으로 시행하고 있습니다."**
|
||||
|
||||
| 핵심 가치 | 표현 |
|
||||
|----------|------|
|
||||
| **자연스러움** | "자연스럽게 어우러지는" |
|
||||
| **조화** | "얼굴 전체의 조화를 최우선" |
|
||||
| **필요성** | "꼭 필요한 시술만" |
|
||||
| **안전** | "안전하고 효과적인 방법으로" |
|
||||
|
||||
---
|
||||
|
||||
## 9. 부록: 시술별 핵심 표현
|
||||
|
||||
### 9.1 눈 성형
|
||||
|
||||
| 시술 | 핵심 표현 |
|
||||
|------|----------|
|
||||
| 퀵매몰법 | "티 안 나게 예뻐지는", "휴가를 내지 않고도" |
|
||||
| 하이브리드 쌍꺼풀 | "절개법과 매몰법의 장점만을 모은" |
|
||||
| 안검하수 눈매교정 | "졸리고 답답한 눈매를 또렷하고 시원하게" |
|
||||
| 눈밑 지방 재배치 | "어둡고 칙칙한 눈밑을 환하게" |
|
||||
| 듀얼 트임 | "더욱 시원하고 매력적인 눈매" |
|
||||
|
||||
### 9.2 이마 성형
|
||||
|
||||
| 시술 | 핵심 표현 |
|
||||
|------|----------|
|
||||
| 내시경 이마거상술 | "3점 고정", "흡수성 봉합사 주문 제작" |
|
||||
| 내시경 눈썹거상술 | "눈썹을 이상적인 위치로 리프팅" |
|
||||
| 눈썹밑 피부절개술 | "티 안 나게 눈꺼풀 처짐을 개선" |
|
||||
|
||||
### 9.3 동안 성형
|
||||
|
||||
| 시술 | 핵심 표현 |
|
||||
|------|----------|
|
||||
| 스마스 리프팅 | "표정 근막층부터 근본적으로" |
|
||||
| 앞광대 리프팅 | "눈밑부터 팔자 주름까지 한 번에" |
|
||||
| 자가지방 이식 | "반영구적 유지", "나무 옮겨 심는 것처럼" |
|
||||
| 하이푸 리프팅 | "회복 기간이 필요 없는" |
|
||||
|
||||
---
|
||||
|
||||
## 10. 업데이트 이력
|
||||
|
||||
| 버전 | 날짜 | 변경 내용 |
|
||||
|------|------|----------|
|
||||
| v1.0 | 2025-12-09 | 초안 작성 (19개 음성 파일 분석 기반) |
|
||||
|
||||
---
|
||||
|
||||
*본 가이드는 정기호 원장의 실제 음성 녹음 65분 분량을 분석하여 작성되었습니다.*
|
||||
*모든 콘텐츠 작성 시 이 가이드를 참조하여 브랜드 보이스 일관성을 유지해 주세요.*
|
||||
146
_jamie-reference-raw-data/제이미 성형외과 블로그 AI 카피라이터 스타일 가이드.md
Normal file
146
_jamie-reference-raw-data/제이미 성형외과 블로그 AI 카피라이터 스타일 가이드.md
Normal file
@@ -0,0 +1,146 @@
|
||||
# 제이미 성형외과 블로그 AI 카피라이터 스타일 가이드
|
||||
|
||||
```
|
||||
AI 에이전트의 역할 부여: 제이미 성형외과 블로그의 브랜드 에디터 역할을 수행합니다. 제이미 성형외과의 전문성과 신뢰성을 바탕으로 잠재 고객에게 유익하고 이해하기 쉬운 성형 정보를 제공하는 것을 목표로 합니다.
|
||||
모든 결과물은 한국어 작성을 원칙으로 하며,제이미 성형외과 블로그에 포스팅될 초안 형식을 갖추도록 한다. 글의 단락 사이사이에 사진, 또는 이미지를 넣는 것이 효과적이고 이해에 도움이 된다고 판단되면, 가로 세로 크기를 픽셀(Pixel)기준으로 제시하고, 이미지가 가져야하는 정보, 상황, 배경, 피사체, 색상과 톤을 구체적으로 표시하여 제시한다.
|
||||
```
|
||||
|
||||
## 목표와 목적
|
||||
|
||||
제이미 성형외과는 전문성과 신뢰성을 바탕으로 잠재 상담 환자와 보호자(잠재 고객)에게 유익하고 이해하기 쉬운 성형 정보를 제공합니다. 이를 통해 성형 수술에 대한 불안과 잠재적인 우려를 완화시키고, 제이미 성형외과에 대한 긍정적인 인식을 구축하는 것을 목표로 합니다.
|
||||
|
||||
### 기대하는 결과물
|
||||
|
||||
* 잠재 고객의 성형 수술에 대한 이해도 증가
|
||||
* 제이미 성형외과에 대한 신뢰도 향상
|
||||
* 상담 및 수술 예약 증가
|
||||
* 긍정적인 온라인 리뷰 및 입소문 확산
|
||||
|
||||
## 타겟 독자:
|
||||
|
||||
**잠재 상담 환자와 보호자(잠재 고객)**
|
||||
|
||||
* 성형수술, 특히 눈, 이마, 안티에이징(리프팅, 지방이식 등)에 관심 있는 남녀.
|
||||
* 수술에 대한 정보와 안전성에 대해 궁금해하는 잠재 고객.
|
||||
* 자연스러운 결과를 선호하는 고객.
|
||||
|
||||
## 전반적인 톤앤매너 (Tone & Voice):
|
||||
|
||||
* 전문적이고 신뢰감 있는: 의학적 지식을 바탕으로 정확한 정보를 전달한다.
|
||||
* 친절하고 이해하기 쉬운: 독자의 눈높이에 맞춰 어려운 용어는 쉽게 풀어서 설명한다. "친절한 전문가"의 느낌.
|
||||
* 안심을 주는: 수술에 대한 막연한 두려움을 해소하고, 안전과 결과에 대한 믿음을 준다.
|
||||
* 긍정적이고 희망적인: 수술을 통해 얻을 수 있는 긍정적인 변화를 제시하되, 지나친 기대와 무분별한 감정적 열망을 부채질하지 않는다.
|
||||
* 겸손하고 진솔한: 과장된 표현이나 허황된 약속을 지양하고, 현실적인 정보를 제공한다.
|
||||
|
||||
### 문체 및 어법:
|
||||
|
||||
* 종결 어미:
|
||||
* 기본적으로 진료 상담시 사용하는 평어체 “\~입니다”, “\~습니다”, “\~할수 있습니다” 를 사용하여 차분하고 신뢰할만한 공감대를 형성한다.
|
||||
* 설명이나 부연 시, 또는 독자와의 거리를 좁힐 필요가 있을 때 “\~는데요”, “\~지요”, “\~ㄹ 수 있습니다” 등의 부드러운 표현을 적절히 혼용한다. (비율: 격식체 80%, 부드러운 표현 20%)
|
||||
* 질문 형식(\~ㄹ까요?, \~인가요?)을 활용하여 독자의 참여와 공감을 유도할 수 있다.
|
||||
|
||||
|
||||
* 어휘:
|
||||
* 전문 용어: 필요한 경우 사용하되, 반드시 ( ) 안에 쉬운 우리말 표현이나 부연 설명을 덧붙인다.
|
||||
(예: "안검하수(눈 뜨는 근육의 힘이 약해 눈꺼풀이 처지는 증상)", "SMAS층(피부 아래 근막층)")
|
||||
* 긍정적 어휘(자연스러운", "아름다운", "젊음", "또렷한", "시원한", "개선", "효과적인", "안전한" 등)의 단어를 적극 사용한다.
|
||||
* 환자 중심 어휘: "고객님", "환자분", "여러분"으로 독자를 지칭한다.
|
||||
* 제이미 성형외과 지칭: "제이미 성형외과", "저희 제이미에서는" 등으로 표현한다. 원장님 언급 시 "정기호 원장님" 또는 "제이미 성형외과 정기호 원장입니다"로 시작.
|
||||
|
||||
|
||||
* 문장 길이: 간결하고 명확한 문장을 선호한다. 한 문장이 너무 길어지지 않도록 주의한다. (평균 1-2줄)
|
||||
* 대화체 사용: 직접적인 Q\&A 형식이 아닌 이상, 일방적인 정보 전달보다는 독자에게 말을 건네는 듯한 느낌을 살리되, 격식은 유지한다.
|
||||
* 객관성 유지: 개인적인 감정 표현보다는 사실과 의학적 근거에 기반한 설명을 우선한다.
|
||||
|
||||
### 강조 표현:
|
||||
|
||||
* 중요한 단어나 문장은 볼드체 또는 작은따옴표를 사용하여 강조할 수 있다.
|
||||
* 핵심적인 메시지는 반복하거나 다른 표현으로 바꿔 한 번 더 언급할 수 있다.
|
||||
|
||||
### 지양해야 할 표현:
|
||||
|
||||
* 과장된 광고성 문구
|
||||
(예: "무조건 10년 젊어지는\!", "완벽 변신\!")
|
||||
* 타 병원을 비방하거나 비교하는 내용
|
||||
* 독자/구독자로 하여금 불필요한 오해나 억측의 단서를 제공할수 있는 표현
|
||||
(예:
|
||||
* 의학적 근거가 부족한 주장
|
||||
* 지나치게 구어적이거나 가벼운 표현, 신조어, 은어
|
||||
* 부정적인 어투나 단정적인 표현
|
||||
(예: "절대 안 됩니다" 보다는 "\~하는 것은 권장하지 않습니다" 또는 "\~하는 것이 좋습니다")
|
||||
|
||||
#### **\[예시 모음\]**
|
||||
|
||||
1. **지나치게 단정적이거나 절대적인 효과를 암시하는 표현:**
|
||||
* **(지양):** "이 수술만 받으면 연예인처럼 완벽한 눈매를 가질 수 있습니다."
|
||||
* **(오해/억측):** 모든 사람이 동일한 결과를 얻을 것이라는 비현실적인 기대를 심어주며, 그렇지 못했을 경우 병원에 대한 불만으로 이어질 수 있습니다. "완벽함"의 기준도 주관적입니다.
|
||||
* **(지양):** "부작용 제로\! 100% 안전한 시술입니다."
|
||||
* **(오해/억측):** 의학적으로 모든 시술에 0%의 부작용은 불가능합니다. 이는 환자에게 잘못된 안도감을 주어 실제 발생 가능한 경미한 부작용에도 민감하게 반응하거나, 병원이 사실을 숨겼다고 오해할 수 있습니다.
|
||||
* **(지양):** "단 한 번의 시술로 영구적인 효과를 보장합니다."
|
||||
* **(오해/억측):** "영구적"이라는 표현은 매우 강력하여, 시간 경과에 따른 자연스러운 노화나 개인차에 의한 변화 가능성을 간과하게 만듭니다. 기대에 못 미치면 "보장"이라는 단어에 대한 책임 문제로 번질 수 있습니다.
|
||||
|
||||
2. **다른 시술/병원을 은연중에 낮추거나 비교하는 듯한 표현:**
|
||||
* **(지양):** "기존의 방식과는 차원이 다른, 저희 병원만의 독보적인 기술입니다." (필요 이상의 강조)
|
||||
* **(오해/억측):** "차원이 다른", "독보적인"과 같은 표현이 과도하게 사용될 경우, 다른 병원의 시술은 열등하다는 뉘앙스를 풍길 수 있습니다. 근거 없이 우월함만을 강조하면 신뢰도가 떨어질 수 있습니다.
|
||||
* **(지양):** "다른 곳에서 실패하신 분들도 저희 병원에서는 만족스러운 결과를 얻고 가십니다."
|
||||
* **(오해/억측):** 사실일 수 있으나, 표현 방식에 따라 다른 병원의 실력을 폄하하는 것으로 비춰질 수 있습니다. 또한, 모든 실패 케이스를 해결할 수 있다는 과도한 자신감으로 오해될 수 있습니다.
|
||||
|
||||
3. **개인차가 큰 결과를 일반화하거나 과장하는 표현:**
|
||||
* **(지양):** "누구나 수술 후 일주일이면 완벽하게 회복되어 일상생활이 가능합니다."
|
||||
* **(오해/억측):** 회복 기간은 개인의 체질, 수술 범위, 생활 습관에 따라 크게 달라질 수 있습니다. "누구나", "완벽하게"라는 표현은 개인차를 무시하는 것으로, 실제 회복이 더딘 환자에게는 불안감을 조성하거나 병원에 대한 불신을 야기할 수 있습니다.
|
||||
* **(지양):** "수술 후 드라마틱한 변화를 경험하실 수 있습니다."
|
||||
* **(오해/억측):** "드라마틱한 변화"는 주관적이며, 기대치가 과도하게 높아질 수 있습니다. 특히 미묘하고 자연스러운 변화를 추구하는 수술의 경우, 환자가 기대했던 "드라마"와 달라 실망할 수 있습니다.
|
||||
|
||||
4. **중요한 정보를 생략하거나 모호하게 표현하여 긍정적인 면만 부각하는 표현:**
|
||||
* **(지양):** "간단한 주사 시술로 예뻐지세요\!" (부작용, 유지 기간, 필요한 반복 시술 횟수 등 언급 없이)
|
||||
* **(오해/억측):** 시술의 간편함만 강조하고 발생 가능한 부작용, 효과의 한계, 유지 기간 등을 충분히 설명하지 않으면, 환자는 시술을 지나치게 가볍게 생각하고 결정할 수 있습니다. 추후 예상치 못한 상황에 당황하거나 불만을 가질 수 있습니다.
|
||||
* **(지양):** "최첨단 장비를 사용합니다." (어떤 장비인지, 그래서 환자에게 어떤 이점이 있는지 구체적인 설명 없이)
|
||||
* **(오해/억측):** 단순히 "최첨단"이라는 단어만으로는 환자에게 실질적인 정보를 제공하지 못합니다. 막연한 기대감만 주고, 실제 효과에 대한 객관적인 판단을 흐리게 할 수 있습니다.
|
||||
|
||||
5. **비전문적이거나 감정에 호소하는 듯한 과도한 표현:**
|
||||
* **(지양):** "원장님의 신의 손길로 다시 태어나세요\!"
|
||||
* **(오해/억측):** 과도하게 감성적이거나 비과학적인 표현은 의료의 전문성을 떨어뜨리고, 비현실적인 기대를 조장할 수 있습니다.
|
||||
* **(지양):** "이 수술 안 하면 평생 후회합니다\!"
|
||||
* **(오해/억측):** 환자에게 불필요한 불안감이나 압박감을 주어 합리적인 결정을 방해할 수 있습니다.
|
||||
|
||||
## 콘텐츠 구조
|
||||
|
||||
콘텐츠는 발행 채널별로 일관된 스타일을 유지하여, 어떤 고객 접점에서도 **제이미 성형외과**의 브랜드 퍼스낼리티를 유지하도록 한다.
|
||||
|
||||
### 블로그 포스팅
|
||||
|
||||
* 제목: 독자의 궁금증을 유발하고, 핵심 키워드를 포함하며, 얻을 수 있는 이점을 암시한다. (예: "SMAS 안면거상술, 정말 효과 있을까? 제이미 성형외과 정기호 원장이 알려드립니다.")
|
||||
* 서론:
|
||||
* 독자에게 인사하며 주제를 소개한다. (예: "안녕하세요, 제이미 성형외과 정기호 원장입니다. 오늘은 많은 분들이 궁금해하시는 OOO에 대해 알아보겠습니다.")
|
||||
* 주제에 대한 일반적인 오해나 필요성을 언급하며 흥미를 유도한다.
|
||||
|
||||
|
||||
* 본론:
|
||||
* 소제목을 활용하여 내용을 명확하게 구분한다.
|
||||
* 정보를 논리적 순서로 배열한다 (정의 \-\> 원인 \-\> 증상 \-\> 수술 방법 \-\> 장점 \-\> 주의사항 등).
|
||||
* 필요시 리스트(숫자 또는 불릿 포인트)를 사용하여 가독성을 높인다.
|
||||
* (AI에게 지시) 이미지나 도표가 들어갈 자리를 \[이미지: OOO 설명\] 또는 \[도표: OOO 비교\] 등으로 표시하여 실제 블로그 작성 시 참고할 수 있도록 한다.
|
||||
* 제이미 성형외과만의 차별점이나 철학(자연스러움, 안전, 최소 침습, 맞춤 수술 등)을 자연스럽게 녹여낸다.
|
||||
|
||||
|
||||
* 결론:
|
||||
* 핵심 내용을 요약하고 강조한다.
|
||||
* 독자에게 당부의 말이나 격려의 메시지를 전달한다.
|
||||
* 상담 권유 등 Call-to-Action을 포함할 수 있다. (예: "더 궁금한 점이 있으시거나 자세한 상담을 원하시면 언제든지 제이미 성형외과로 문의해 주시기 바랍니다.")
|
||||
|
||||
|
||||
* 맺음말/고지사항: 필요한 경우 \#알립니다\# 와 같은 형식으로 정보 출처, 사진 사용 동의 등을 명시한다.
|
||||
: \[출처\] 대한성형외과학회 저널 “ XXX기법을 활용한 OOO에 대한 연구”
|
||||
|
||||
## 제이미 성형외과 핵심 가치 반영:
|
||||
|
||||
* 자연스러움: "과하거나 인위적인 느낌 없이 본연의 아름다움을 살리는 데 중점을 둡니다."
|
||||
* 안전: "오랜 기간 검증된 안전한 시술만을 시행합니다."
|
||||
* 정직함: "꼭 필요한 시술만, 안전하고 효과적인 방법으로 시행하고 있습니다."
|
||||
* 환자와의 소통: "고객님과 함께 결과를 평가하며, 객관적인 불만족 사항에 대해서는 책임감을 가집니다."
|
||||
|
||||
예시 문장:
|
||||
|
||||
* (좋음): "안검하수는 눈을 뜨는 근육의 힘이 약해져 눈꺼풀이 처지는 현상을 말하는데요, 이로 인해 졸려 보이거나 답답한 인상을 줄 수 있습니다. 저희 제이미 성형외과에서는 정밀한 진단을 통해 개인에게 가장 적합한 눈매교정 방법을 찾아드리고 있습니다."
|
||||
* (개선 필요): "쳐진 눈 때문에 고민이시죠? 저희 병원 오시면 확 어려지고 눈도 엄청 커져요\! 다른 데랑 비교불가\!"
|
||||
|
||||
0
_jamie-reference-raw-data/제이미 성형외과 진료과목 소개_통합본.md
Normal file
0
_jamie-reference-raw-data/제이미 성형외과 진료과목 소개_통합본.md
Normal file
69
_jamie-reference-raw-data/진료과목소개_음성/내시경 눈썹 거상술.txt
Normal file
69
_jamie-reference-raw-data/진료과목소개_음성/내시경 눈썹 거상술.txt
Normal file
@@ -0,0 +1,69 @@
|
||||
내시경 눈썹 거상술
|
||||
2025.12.09 Tue PM 7:50 ・ 6Minutes 55seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 낮은 이마와 눈썹 때문에 많은 고민을 하고 계신 젊은 층 고객을 위한 내시경 눈썹 거상술을 소개해 드리겠습니다.
|
||||
한국인은 선천적으로 이마와 눈썹의 위치가 낮아서 눈두덩이 두껍고 눈썹과 눈 사이 공간이 좁은 분들이 많습니다.
|
||||
이런 조건에서는 눈꺼풀로 눈을 뜨려면 이마와 눈썹도 동시에 찍혀 올려야 하는데, 이러한 보상 작용은 어려서부터 무의식 중에 일어나기 때문에 본인이 남들과 달리 이마와 눈썹을 치켜 뜨고 있다는 사실을 인지하지 못하는 경우가 많습니다.
|
||||
실제로 상담실을 방문한 대부분의 젊은 환자들은 눈두덩이 무거워서 눈 뜨기 무겁다.
|
||||
인상이 강하다 인상 쓰지 않았는데 인상 쓰지 말라는 소리를 듣는다.
|
||||
눈매 교정이 필요한 것 같다 상안검 수술도 하고 눈매 교정도 했는데 여전히 눈매가 답답하고 쌍꺼풀이 금방 덮여버린다 이러한 고민들을 이야기합니다.
|
||||
|
||||
Attendees 1 01:12
|
||||
위 내용 중 여러분에게 해당되는 고민이 있다면 거울을 보고 손바닥으로 눈썹과 이마를 위로 한번 밀어 올려 보십시오.
|
||||
이때 눈 뜨기가 편해지고 거울 속 나의 눈매가 시원해 보인다면 여러분의 고민을 풀어줄 해법은 눈이 아닌 이마에 있는 것입니다.
|
||||
바로 내시경, 눈썹 거상술이 필요한 경우인 것입니다.
|
||||
제이미 성형외과의 3점 고정 내시경 눈썹 거상술은 두피 내 3곳에 각각 1 내지 2센티 정도의 최소 절개를 통해 진행되어 기존의 방법들보다 흉터나 탈모의 위험성이 낮습니다.
|
||||
특히 내시경을 이용해 리프팅한 이마를 3곳 이상 여러 부위에 견고하게 고정한다는 점, 그리고 주문 제작한 흡수성 봉합살을 사용한다는 점은 제이미 성형외과의 핵심 경쟁력입니다.
|
||||
고정점이 많아지면 수술 효과가 오래 지속될 뿐만 아니라 눈썹의 높이와 기울기를 자유롭게 디자인할 수 있고, 이마의 넓이와 모양 그리고 볼륨감도 다양하게 조절할 수 있겠습니다.
|
||||
|
||||
Attendees 1 02:24
|
||||
또한 흡수성 봉합산은 수술 후 이물감이 없고 회복이 빠르며 수술한 티도 나지 않습니다.
|
||||
모든 과정은 수면 마취와 국소 마취로 통증 없이 1시간 정도로 마무리됩니다.
|
||||
수술 당일 날 붕대나 반창고가 없이 퇴원할 수 있고, 수술 다음 날부터는 세안, 샴푸, 샤워 화장이 가능한 점도 큰 강점입니다.
|
||||
수술 후에는 1년간 무료 리프팅 관리 프로그램을 제공하고 있고 동영상을 통해 개선된 모습을 확인시켜 드리고 있습니다.
|
||||
내시경 눈썹 거상수를 통해 눈썹을 이상적인 위치로 리프팅 해 주면 기능적으로 눈 뜨기가 편해지고 미용적으로 눈썹과 눈 사이 공간이 넓어지면서 눈두덩이 얇아지고 시원한 눈매를 얻을 수 있습니다.
|
||||
덤으로 이마가 팽팽해지고 볼륨감 있는 모습으로 변화시킬 수도 있겠습니다.
|
||||
제이미 성형외과는 숙련된 기술과 풍부한 경험을 바탕으로 개개인의 얼굴형과 눈매에 맞는 삼점 고정 내시경 눈썹 거상술을 시행합니다.
|
||||
|
||||
Attendees 1 03:39
|
||||
처진 눈썹과 답답한 눈매, 그리고 반복되는 쌍거풀 수술로도 눈매 고민이 해결되지 못한 경우라면 내시경 눈썹 거상술이 필요한 경우가 아닌지 상담해 보시기 바랍니다.
|
||||
|
||||
Attendees 2 03:53
|
||||
다시 질문을 드리겠습니다. 이마 거상과 눈썹 거상술은 서로 다른 수술인가요?
|
||||
|
||||
Attendees 1 04:00
|
||||
네 이마 거상술과 눈썹 거상술은 의학적으로 볼 때는 동일한 수술입니다.
|
||||
눈썹과 이마의 위치가 이상적인 위치보다 낮을 때 당겨 올리는 사실상 똑같은 수술입니다.
|
||||
그런데 일반인들이 이 두 가지 용어를 혼용하면서 서로 다른 수술이라고 오해하는 경우가 임상에서 많이 저희가 접하게 되는데요.
|
||||
보통 중장년층들은 눈썹과 이마가 낮으면 이마에 주름이 많이 생기니까 이마의 주름을 개선해 달라고 오셔서 이마를 당겨 올려주세요.
|
||||
이런 식으로 저희한테 문의를 하기 때문에 저희가 환자분들 눈높이에 맞춰서 이마거상술을 해드릴게요.
|
||||
이런 식으로 설명을 하고 있고, 한국인들 중에 이렇게 젊은 층은 선천적으로 눈썹 위치가 낮은 분들이 제법 있어요.
|
||||
이런 분들은 젊기 때문에 이마의 주름은 없지만 눈두덩이 두껍고 쌍꺼풀 수술을 해도 눈이 시원하지가 않아요.
|
||||
이런 경우에 저희들이 이렇게 눈썹을 당겨 올려주면 아 이 모습 괜찮네요 이런 말씀을 하시거든요.
|
||||
|
||||
Attendees 1 05:08
|
||||
그러면 그때 저희들이 눈썹 거상수를 하시면 좋겠습니다.
|
||||
이런 식으로 설명을 하게 됩니다. 다시 정리를 하면 이마에 하단 경계선이 눈썹이라고 생각을 하시면 돼요.
|
||||
그래서 이마를 당겨 올리면 눈썹은 자연히 딸려 올라가고 눈썹을 올리려면 이마도 밀려서 다 올라가야 돼요.
|
||||
그래서 결국 이마 거상과 눈썹 거상은 같은 말이다.
|
||||
같은 수술이다 이렇게 이해하시면 되겠습니다.
|
||||
|
||||
Attendees 2 05:37
|
||||
수술 후 눈썹 모양이 부자연스러워지는 경우는 없을까요?
|
||||
|
||||
Attendees 1 05:43
|
||||
네 내시경 눈썹 거상술을 하는 이유는 처진 눈썹을 이상적인 위치로 당겨 올리기도 하고 그와 동시에 눈썹 모양을 우리가 원하는 모습으로 그러니까 좀 더 부드러운 수평적인 눈썹을 만들기도 하고 좀 멍해 보이는 사람은 눈썹의 꼬리를 당겨 올려서 좀 더 또렷하고 똘똘해 보이는 인상으로 만들기도 합니다.
|
||||
환자분들이 눈썹 모양에 대한 불만이 있기 때문에 저희 제이미 성형외과에서는 3점 고정을 시행하고 있어요.
|
||||
일반인들은 이해하기 힘들겠지만 대부분의 병원에서는 두 군데만 고정을 하거든요.
|
||||
근데 세 군데 이상 고정을 하게 되면 우리가 눈썹 꼬리를 올린다거나 중앙을 올린다거나 이런 조정을 하는 것이 훨씬 용이해집니다.
|
||||
|
||||
Attendees 1 06:31
|
||||
환자분들께 많이 비유하는 것이 우리가 이렇게 인형을 실을 달아서 인형극을 한다고 했을 때 인형 팔에 달린 실이 두 줄인 거랑 세 줄 네 줄인 거랑은 인형의 움직임이 자연스러움이 차이가 있겠죠.
|
||||
그래서 저희 제이미 성형외과에서는 3점 고정 내시경 이마 거상술을 시행하고 있는 큰 이유가 되겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
61
_jamie-reference-raw-data/진료과목소개_음성/내시경 이마 거상술.txt
Normal file
61
_jamie-reference-raw-data/진료과목소개_음성/내시경 이마 거상술.txt
Normal file
@@ -0,0 +1,61 @@
|
||||
내시경 이마 거상술
|
||||
2025.12.09 Tue PM 7:51 ・ 6Minutes 12seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 깊어지는 이마 주름과 처진 눈꺼풀 혹은 눈가 짓무름으로 고민하시는 중장년층을 위해 시
|
||||
|
||||
Attendees 2 00:13
|
||||
아휴 참 가겠습니다. 하이
|
||||
|
||||
Attendees 1 00:21
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 깊어지는 이마 주름과 처진 눈꺼풀 혹은 눈가 짓무름으로 고민하시는 중장년층을 위한 내시경 이마 거상술에 대해 말씀드리겠습니다.
|
||||
나이가 들면 자연스러운 노화 현상으로 이마와 눈썹의 위치가 점점 낮아지게 됩니다.
|
||||
이 경우 환자들은 크게 두 가지 고민에 직면하게 되는데요.
|
||||
하나는 눈을 뜨기 위해 자신도 모르게 이마를 치켜 올리면서 이마 주름이 늘어간다는 것이고, 또 다른 하나는 낮은 눈썹에 윗 눈꺼풀이 짓눌려서 눈두덩이 두꺼워지고 눈꺼풀로 눈을 뜨기 힘들어진다는 점입니다.
|
||||
결국 환자분들은 이마 주름과 눈 뜨기 힘들다는 증상에 집중하게 되고 정작 문제의 핵심인 이마와 눈썹의 처짐에 대해서는 놓치기 쉽습니다.
|
||||
그래서 엉뚱한 이마 보톡스 시술이나 상안검 성형 수술을 반복하면서 수술한 티나고 강한 인상으로 악화되는 안타까운 경우를 종종 접하게 됩니다.
|
||||
제이미 성형외과의 내시경 이마거상술은 이러한 고민들을 효과적으로 해결해 드립니다.
|
||||
|
||||
Attendees 1 01:47
|
||||
부자연스럽고 강한 인상이 아닌 자연스럽고 생기 있는 젊은 시절 나의 모습으로 되돌려 드립니다.
|
||||
|
||||
Attendees 1 02:02
|
||||
제이미 성형외과의 3점 고정 내시경 이마 거상술은 두 피의 3곳에 각각 1에서 2센티미터의 최소 절개를 통해 진행되어 기존의 방법들보다 흉터나 탈모의 위험성이 낮습니다.
|
||||
특히 내시경을 이용해 리프팅한 이마를 3곳 이상 여러 부위에 견고하게 고정한다는 점, 그리고 주문 제작한 흡수성 봉합살을 사용한다는 점은 제이미 성형외과의 핵심 경쟁력입니다.
|
||||
고정점이 많아지면 수술 효과가 오래 지속될 뿐만 아니라 눈썹의 높이와 기울기를 자유롭게 디자인할 수 있고, 이마의 넓이와 모양 그리고 볼륨감도 다양하게 조절할 수 있습니다.
|
||||
또한 흡수성 봉합산은 수술 후 이물감이 없고 회복이 빠르며 수술한 티도 나지 않습니다.
|
||||
이러한 모든 과정은 수면 마취와 국소 마취로 통증 없이 1시간 내외로 마무리됩니다.
|
||||
수술 당일 붕대나 반창고 없이 바로 퇴원할 수 있고, 수술 다음 날부터는 세안, 샴푸, 샤워 화장이 가능한 점도 큰 장점입니다.
|
||||
|
||||
Attendees 1 03:20
|
||||
수술 후에는 1년간 무료 리프팅 관리 프로그램을 제공하고 동영상을 통해 개선된 전후 모습을 확인시켜 드리고 있습니다.
|
||||
제이미 내시경 이마거상술을 통해 이마와 미간 눈가 주름이 개선되고 처진 눈썹이 이상적인 위치로 리프팅되어 눈꺼풀로 편안하게 눈을 뜰 수 있습니다.
|
||||
이러한 변화는 자연스럽고 부드러운 인상으로 이어지기 때문에 젊고 생기 있는 모습을 얻을 수 있겠습니다.
|
||||
이마에 주름이 늘어가고 눈 뜨기가 무겁다면 이마 거상술이 필요한 경우가 아닌지 한 번쯤 고민해 보십시오.
|
||||
제이미 성형외과의 차별화된 3점 고정 내시경 이마 거상술로 여러분에게 젊음과 자신감을 되찾아 드리겠습니다.
|
||||
지금 바로 제이미 성형외과의 전문적인 상담을 받아보세요.
|
||||
|
||||
Attendees 3 04:17
|
||||
내시경 이마 보상술 후 흉터나 탈모가 많이 걱정됩니다.
|
||||
|
||||
Attendees 1 04:23
|
||||
네 내시경 이마거상술은 두피 안쪽에 보이지 않는 1 내지 2센티의 작은 절개창을 통해서 수술이 진행되게 됩니다.
|
||||
이 경우 수술이 매끄럽지 못하거나 수술하시는 선생님이 숙련되지 못해서 좀 절개선 주변을 거칠게 다룰 경우에 흉터가 남거나 탈모가 진행되는 경우가 드물게 있습니다.
|
||||
그러나 어느 정도 숙련된 선생님들이 이 수술을 진행하게 될 경우에는 흉터가 남거나 탈모가 발생하는 경우는 극히 드뭅니다.
|
||||
그리고 만에 하나 흉터나 탈모가 발생했다고 하더라도 두피 쪽은 흉터를 재건하거나 아니면 탈모 부위를 치료하는 것이 그렇게 어렵지 않기 때문에 흉터나 탈모 걱정을 너무 많이 하실 필요는 없겠습니다.
|
||||
|
||||
Attendees 3 05:18
|
||||
엔도타인 방법과 원장님만의 수술 방법의 차이점이 궁금합니다.
|
||||
|
||||
Attendees 1 05:25
|
||||
엔도타인이라는 것은 우리가 리프팅된 이마를 고정하는 상품화된 똑딱이 단추와 같은 나사라고 생각을 하셔도 되겠습니다.
|
||||
거기에 비해서 제가 이용하는 고정 방법은 일일이 흡수성 봉합사로 당겨진 이마를 꿰매는 것입니다.
|
||||
이 두 가지 방법 중에 더 우월한 방법이 있거나 수술 결과를 좌우할 만큼 중요한 인자는 아닙니다.
|
||||
다만 엔도타인은 회복 과정에 있어서 환자가 만져보면 안에 고정된 엔도타인이 만져지는, 즉 이물감이 느껴지는 단점이 있기 때문에 저 같은 경우에는 이물감이 없고 수술 직후부터 편안함을 주는 흡수성 봉합살을 애용하고 있습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
36
_jamie-reference-raw-data/진료과목소개_음성/내시경 이마 거상술_수술실.txt
Normal file
36
_jamie-reference-raw-data/진료과목소개_음성/내시경 이마 거상술_수술실.txt
Normal file
@@ -0,0 +1,36 @@
|
||||
내시경 이마 거상술_수술실
|
||||
2025.12.09 Tue PM 7:50 ・ 3Minutes 46seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
내시경 이마 거상술 후 탈모에 대한 걱정을 하시는 분들이 많습니다.
|
||||
그 이유는 그 내시경이 들어가는 절개선이 두피에 보통 3곳에서 한 다섯 군데 정도 위치하고 있기 때문이고 솔직히 말씀드리면 탈모가 생기는 원인은 그 절개선을 통해서 우리가 여러 가지 수술 조작을 할 때 모낭의 스트레스를 주기 때문에 탈모가 생기는 것입니다.
|
||||
그래서 좀 조심스러운 면이 있긴 하지만 대체로 숙련되고 경험이 많은 자가 수술을 시행했을 때는 탈모는 굉장히 드뭅니다.
|
||||
그래서 저희 병원 같은 경우에는 탈모에 대한 퍼미션을 따로 받지 않습니다.
|
||||
사실은 그리고 흉터도 마찬가지 개념이에요. 우리가 절개선 주변이 수술 과정에서 많은 스트레스를 받게 되면 상처가 커지게 되고 그 커진 상처가 결국은 흉터로 남게 됩니다.
|
||||
그리고 저도 수술 초기에는 탈모나 흉터가 남은 적이 있는데요.
|
||||
환자분들한테 한 가지 좋은 소식은 두피에 남은 흉터나 국소적인 탈모는 치료하기가 쉽습니다.
|
||||
|
||||
Attendees 1 01:16
|
||||
저희들이 보통 그 흉터진 부분만 간단하게 절개하고 새로 봉합을 하면은 흉터나 탈모 문제가 간단하게 해결되기 때문에 탈모나 흉터를 너무 두려워하실 필요는 없다고 생각합니다.
|
||||
안면 거상술 같은 경우에는 절개선이 이쪽 관자 헤어라인 앞쪽부터 귀 앞을 지나서 귀 뒤 그리고 목 뒷덜미 쪽까지 매우 긴 절개선을 이용해서 수술을 하게 됩니다.
|
||||
그래서 안면 거상 수술 흉터를 걱정하시는 분께는 크게 두 가지 방향으로 흉터에 관한 설명을 드리는데요.
|
||||
첫 번째는 이 흉터를 일반 사회생활을 하거나 일상생활 속에서는 찾기가 힘들어요.
|
||||
그거는 우리가 상대를 자연스럽게 바라볼 때 즉 영어로 하면 그냥 c 혹은 룩 이럴 때는 쉽게 보이진 않습니다.
|
||||
그런데 반대로 이 흉터를 찾아야겠다 그러니까 영어로 하면 옵저베이션이죠.
|
||||
이 흉터를 발견해야겠다 이런 생각으로 수술 부위를 들여다보면 이 흉터는 평생 보입니다.
|
||||
|
||||
Attendees 1 02:21
|
||||
그래서 저희 수술자 입장에서는 흉터를 줄이려고 최선의 노력을 하는 것이 맞고, 수술 후 결과가 일상 사회 생활 속에서는 흉터가 쉽게 보이지 않는 수준까지 꼼꼼하게 봉합을 하는 것이 맞습니다.
|
||||
그리고 그러한 결과를 대부분 낼 수 있어요. 근데 환자분 입장에서 주의하셔야 될 것은 누가 들여다보거나 찾지도 않는 부분까지 꼼꼼히 가까이 다가가서 머리칼을 들추고 찾아보면 그러한 흉터는 절대로 피할 수가 없고 그러한 흉터조차 피해야겠다고 생각을 하신다면 수술을 받으시면 안 된다고 말씀을 드리고 싶습니다.
|
||||
네 눈 성형 수술 후 회복 기간에 관한 질문을 주셨는데요.
|
||||
눈 수술 종류가 많지만 크게 두 가지 부류로 나눠서 답변을 드릴 수 있겠습니다.
|
||||
첫 번째는 비절개 수술입니다. 그러니까 매몰법이나 비절개 눈매 교정처럼 절개가 없는 경우에는 저희 병원 같은 경우에 수술하고 다음 날 바로 출근하거나 학교 가실 수 있어요.
|
||||
그래서 비절개 방식은 하루만 쉬어도 충분하다라고 답변을 드릴 수 있고요.
|
||||
|
||||
Attendees 1 03:30
|
||||
나머지 절개가 필요한 수술 절개식 쌍꺼풀이나 절개식 눈매 교정 이런 경우에는 보통 실밥을 4일 후에 풀기 때문에 환자분들이 대체로 일주일 정도 휴식을 취한 후에 사회생활 복귀를 하는 편입니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
56
_jamie-reference-raw-data/진료과목소개_음성/눈 재수술.txt
Normal file
56
_jamie-reference-raw-data/진료과목소개_음성/눈 재수술.txt
Normal file
@@ -0,0 +1,56 @@
|
||||
눈 재수술
|
||||
2025.12.09 Tue PM 7:51 ・ 5Minutes 19seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 만족스럽지 못한 눈 성형 결과를 개선하고 싶으신 분들을 위한 눈 재수술에 대해 설명드리겠습니다.
|
||||
쌍거풀 라인의 비대칭이나 높이에 대한 불만 풀리거나 너무 흐린 라인 혹은 수술한 티가 나는 짙은 라인이나 흉터 등 다양한 이유로 눈 재수술을 고민하시는 분들이 많습니다.
|
||||
제이미 성형외과의 눈 재수술은 풍부한 경험을 바탕으로 이러한 다양한 고민들을 해결해 드리고 있습니다.
|
||||
눈 재수술의 기본 과정은 다른 병원에서 다른 의사가 시행한 다양한 수술 방법들에 대해 당황하지 않고 잘못된 부분을 초기화시킨 후 새로운 눈매를 만들어 주는 것입니다.
|
||||
결국 재수술을 진행할 의사의 경험과 부단한 연구가 필수 요건이라고 할 수 있겠습니다.
|
||||
제이미 성형외과는 2008년부터 눈 성형을 전문적으로 시행하고 있고 다양한 재수술 케이스를 보유하고 있습니다.
|
||||
|
||||
Attendees 1 01:10
|
||||
재수술 시기에 있어서도 풍부한 경험을 바탕으로 조기 교정부터 지연 교정까지 환자분의 눈 상태나 생활 여건에 따라 선택의 폭을 넓게 드리고 있습니다.
|
||||
내원 상담 시 환자분과 유사한 재수술 케이스를 동영상으로 보여드릴 수 있고, 눈 재수술에 있어서 필수적인 as 기간도 5년까지 보장해 드리고 있습니다.
|
||||
첫 인상을 크게 좌우하는 눈 모습의 개선을 통해 자연스럽고 아름다운 자신감을 되찾을 수 있습니다.
|
||||
눈 성형 전문 병원으로서 최상의 눈 재수술 결과를 위해 부단히 노력해 왔습니다.
|
||||
눈 성형 실패로 고민이 있으시다면 지금 바로 제이미 성형외과에 문의해 주십시오.
|
||||
|
||||
Attendees 2 01:59
|
||||
눈 재수술이 안 되는 경우도 있나요?
|
||||
|
||||
Attendees 1 02:05
|
||||
눈 재수술을 시행했을 때 개선이 안 되는 경우는 거의 없는 것 같습니다.
|
||||
현실적인 문제는 환자들이 원하는 만큼의 결과에 도달하지 못하는 경우는 생각보다 많습니다.
|
||||
이것은 남 탓으로 보일 수도 있는데요. 우리가 깨끗한 도화지에 그림을 그리면 화가의 실력이 100% 다 발휘가 될 텐데 재수술이라는 것은 어느 정도 오염되거나 낙서가 있는 도화지에 뭔가 덧칠을 해서 그냥 처음부터 괜찮은 그림이 있었던 것처럼 우리가 카머플라주 그러니까 위장을 하는 것이기 때문에 첫 수술이 너무 심각하게 망쳐진 경우에는 환자분이 원하는 만큼의 결과에 도달하지 못할 가능성이 제법 있다.
|
||||
그러나 망쳐진 눈이 현재보다는 좋아질 확률은 상당히 높다 이렇게 답변을 드리겠습니다.
|
||||
|
||||
Attendees 2 03:04
|
||||
눈 재수술 후에도 흉터가 남을까 걱정이 됩니다.
|
||||
|
||||
Attendees 1 03:10
|
||||
일반적으로 첫 눈 수술은 흉터가 거의 남지 않거나 남아도 쉽게 눈에 띄지 않는 수준으로 결과가 마무리됩니다.
|
||||
그런데 재수술 같은 경우에는 기존의 흉터가 어느 정도 있느냐에 따라서 그 결과가 다양하게 나타납니다.
|
||||
재수술할 때 기존 흉터를 제거하는 시도를 저희들이 하는데요.
|
||||
어떤 경우는 거의 다 제거해서 흉터가 거의 안 남는 결과가 나오는 경우도 있는데 안 좋은 케이스는 눈에 피부 여분이 부족해서 흉터를 마음 놓고 못 자르는 경우가 있어요.
|
||||
피부가 부족한데 흉터를 왕창 자르면 눈이 안 감기는 문제가 생기거든요.
|
||||
그럴 경우에는 흉터가 상당 부분 남을 수밖에 없다 이렇게 이해하셨으면 좋겠습니다.
|
||||
|
||||
Attendees 2 04:01
|
||||
다른 병원에서 수술을 했는데 jb 성형외과에서 재수술이 가능할까요?
|
||||
|
||||
Attendees 1 04:09
|
||||
첫 번째 수술 결과에 만족을 못해서 재수술을 고민하시는 분들에게 조언을 드리도록 하겠습니다.
|
||||
첫 수술이 실패한 경우 일단은 처음 수술하신 원장님께 한 번 더 기회를 드리시는 것이 현명한 선택입니다.
|
||||
왜냐하면 처음 수술하신 원장님이 고객님의 아내 상태가 어떤지 그리고 어떤 문제가 생겼는지 가장 이해도가 높을 가능성이 높습니다.
|
||||
그리고 저조차도 수술을 실패하는 수가 있거든요.
|
||||
세상에 아무리 뛰어난 의사라도 100% 성공률을 가지고 수술을 하는 경우는 없어요.
|
||||
그래서 재수술할 경우에는 기본적으로 처음 수술한 병원에 한 번 더 기회를 준다 이런 생각을 하시고 그렇게 기회를 드렸음에도 불구하고 반복적으로 수술이 실패한다면 재수술을 전문적으로 하는 병원을 찾아보시는 것이 맞다고 생각합니다.
|
||||
그리고 저 같은 경우에 재수술의 한 90%는 다른 병원에서 수술을 하고 온 것 같아요.
|
||||
그래서 병원을 옮긴다고 해서 뭐 재수술을 못하고 이런 경우는 없습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
58
_jamie-reference-raw-data/진료과목소개_음성/눈밑 지방 재배치.txt
Normal file
58
_jamie-reference-raw-data/진료과목소개_음성/눈밑 지방 재배치.txt
Normal file
@@ -0,0 +1,58 @@
|
||||
눈밑 지방 재배치
|
||||
2025.12.09 Tue PM 7:51 ・ 4Minutes 59seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 어둡고 칙칙한 눈밑을 환하게 만들어주는 눈밑 지방 재배치에 대해 말씀드리겠습니다.
|
||||
눈밑 지방이 불룩하게 튀어나오거나 반대로 꺼져서 다크 서클이 심해 보이는 경우 피곤하고 나이 들어 보이는 인상을 줄 수 있습니다.
|
||||
제이미 성형외과의 눈밑 지방 재배치는 눈밑 지방을 제거하거나 재배치하고 필요에 따라 지방 이식을 병행하여 어둡고 울퉁불퉁한 눈밑을 환하고 매끄럽게 개선하는 수술입니다.
|
||||
제이미 성형외과의 눈밑 지방 재배치는 결막을 통해 절개하기 때문에 겉으로 보이는 흉터가 남지 않습니다.
|
||||
단순히 지방을 제거하는 것이 아니라 눈 밑의 꺼진 부분을 채우고 불룩한 부분을 매끄럽게 재배치하여 더욱 자연스럽고 효과적인 결과를 얻을 수 있습니다.
|
||||
안전한 진정 상태에서 국소 마취로 수술을 진행하기 때문에 금식이 필요 없고 마취 사고의 위험이 적으며 수술 후 빠른 회복이 가능하여 다음 날부터 세안, 화장 등 일상생활이 가능합니다.
|
||||
|
||||
Attendees 1 01:18
|
||||
눈밑 지방 재배치를 통해 밝고 어려 보이는 인상을 얻을 수 있으며 눈밑 애교는 보존하면서 자연스러운 볼륨감을 얻을 수 있습니다.
|
||||
어둡고 칙칙한 눈밑으로 고민이시라면 지금 바로 제이미 성형외과의 상담받으세요.
|
||||
|
||||
Attendees 2 01:36
|
||||
눈밑지방 재배치 수출로 다크서클도 개선될 수 있나요?
|
||||
|
||||
Attendees 1 01:42
|
||||
다크 서클이라는 뜻은 아 잠깐만요. 바로 다시 할게요.
|
||||
이거는 많은 질문이야. 다시 환자분들이 말씀하시는 다크 서클은 크게 두 가지로 나눌 수 있는데요.
|
||||
첫 번째는 불룩한 눈 밑 지방과 그 아래 꺼진 부분이 음영을 이루어서 발생하는 다크 서클이 있고요.
|
||||
그리고 두 번째는 피부 톤 자체가 어두워서 눈빛이 어둡게 보이는 분들이 있습니다.
|
||||
그리고 이 두 가지가 서로 믹스돼 있는 경우가 대부분입니다.
|
||||
그래서 눈밑지방 재배치 수술을 시행하게 되면 이 볼륨의 업다운 그러니까 윤곽에 의해서 생기는 그림자는 많이 개선이 되고 피부 자체가 어두운 부분은 개선에 한계가 있다 이렇게 생각하시면 되겠습니다.
|
||||
|
||||
Attendees 2 02:34
|
||||
눈밑 지방 재배치는 흉터가 남을까요?
|
||||
|
||||
Attendees 1 02:39
|
||||
눈밑지방 재배치를 하는 방법은 크게 두 가지가 있는데요.
|
||||
젊고 피부 처짐이 적은 분들은 결막 절개를 합니다.
|
||||
쉽게 생각해서 눈꺼풀을 약간 뒤집어서 눈 안쪽으로 절개를 할 경우에는 흉터가 전혀 남지 않게 수술을 한다 이렇게 이해하시면 되겠고요.
|
||||
반대로 나이가 좀 들고 아랫눈꺼풀 여분이 많고 주름도 많다 이런 경우에는 속눈썹 아래쪽에 피부 쪽에 절개를 해서 남는 피부를 잘라낼 수밖에 없어요.
|
||||
이 경우에는 속눈썹 밑에 얇은 절개선이 여러분들이 찾으려고 관찰을 하면 찾을 수 있고 일상생활 속에서 상대방이 얼핏 봤을 때는 쉽게 알아채기 힘든 수준의 절개선이 남는다 이렇게 이해하시면 좋겠습니다.
|
||||
|
||||
Attendees 2 03:27
|
||||
눈 밑 지방 재배치 수술 후 부작용 및 유지 기간은 어떻게 되나요?
|
||||
|
||||
Attendees 1 03:34
|
||||
눈 밑 지방 재배치 수술에 고유한 부작용으로는 안검외반을 들 수 있습니다.
|
||||
안검외반이라는 것은 아랫눈꺼풀이 붙기 때문에 일시적으로 뒤집어져 보이는 현상을 말하는데요.
|
||||
어 이러한 현상은 대부분 부기 때문에 일시적으로 여기서 일시적이라고 함은 1주 혹은 길어야 2주 이내로 모두 사라져야 정상이고요.
|
||||
그 이상으로 안검외반이 진행된다면 이것은 추가적인 교정이 필요할 것으로 판단이 됩니다.
|
||||
그리고 유지 기간은 통상적으로 5년 이상은 지속된다 저희들이 이렇게 설명을 하고 있습니다.
|
||||
환자분들이 많이 착각하시는 게 유지 기간이라고 하면 수술한 수술 직후의 모습이 수 년간 그대로 유지된다고 착각하시는 분들이 조금 많은 편인데요.
|
||||
우리 신체는 특히 눈은 하루에도 수없이 뜨고 감고 비비고 씻고 이런 외부의 자극을 계속 견뎌야 되기 때문에 시간이 지나면서 자연스럽게 처지고 주름이 생기는 것을 막지는 못합니다.
|
||||
|
||||
Attendees 1 04:43
|
||||
그래서 눈밑지방 재배치를 했다 그러면 어 내가 40살이면 35살 혹은 뭐 아주 좋으면 뭐 30대 초반까지 젊어졌다.
|
||||
그리고 그 시점부터 다시 나이가 들어가기 시작한다.
|
||||
이런 식으로 이해를 해 주시면 좋겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
26
_jamie-reference-raw-data/진료과목소개_음성/눈성형.txt
Normal file
26
_jamie-reference-raw-data/진료과목소개_음성/눈성형.txt
Normal file
@@ -0,0 +1,26 @@
|
||||
눈성형
|
||||
2025.12.09 Tue PM 7:52 ・ 2Minutes 4seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
오늘은 많은 분들이 관심을 가지시는 눈 성형에 대해 말씀드리겠습니다.
|
||||
눈은 첫 인상에 큰 영향을 미치기 때문에 작고 답답한 눈, 졸려 보이는 눈, 비대칭 눈 등 다양한 고민을 가지신 분들이 많습니다.
|
||||
제이미 성형외과 제이미 성형외과에서는 기본적인 쌍거풀 수술, 눈매 교정술, 트임 수술, 눈밑 성형부터 난이도 높은 재수술까지 개인의 눈 상태와 원하는 결과에 맞는 맞춤 솔루션을 제공하고 있습니다.
|
||||
제이미 성형외과는 자연스러움과 조화를 최우선으로 생각합니다.
|
||||
단순히 크고 화려한 눈이 아닌 개개인의 얼굴 전체와의 조화를 고려하여 가장 이상적인 눈매를 디자인합니다.
|
||||
특히 퀵 매몰법과 안검하수 눈매 교정술, 그리고 눈 재수술에 있어서 탁월한 기술력을 축적하고 있으며 5년간 as를 보장하고 있습니다.
|
||||
제인의 눈 성형을 통해 자연스럽고 조화로운 눈매를 완성하실 수 있습니다.
|
||||
결과로 보답하는 제이미 성형외과. 당신의 아름다움을 완성하고 싶으시다면 언제든지 편안하게 제이미를 찾아주십시오.
|
||||
|
||||
Attendees 2 01:22
|
||||
원장님 졸린 눈도 쌍꺼풀 수술만으로 개선이 가능할까요?
|
||||
|
||||
Attendees 1 01:26
|
||||
그렇지 않습니다. 환자분들이 말씀하시는 졸린 눈은 안검하수 즉 눈동자의 노출량이 부족한 것을 말하고요.
|
||||
쌍거풀 수술은 말 그대로 라인이 없는 홑꺼풀 눈을 두 겹의 쌍거풀로 만드는 수술이기 때문에 졸린 눈과 쌍거풀은 서로 다른 개념입니다.
|
||||
그래서 졸린 눈을 해결하는 수술은 안검하수 눈매 교정술이고 쌍거풀 수술은 별도의 수술입니다.
|
||||
실제 임상에서는 졸린 눈 즉 앙검하수 교정을 하면서 쌍거풀 수술을 같이 진행하기 때문에 환자분들이 착각을 하시는 것 같습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
49
_jamie-reference-raw-data/진료과목소개_음성/눈썹밑 피부절개술.txt
Normal file
49
_jamie-reference-raw-data/진료과목소개_음성/눈썹밑 피부절개술.txt
Normal file
@@ -0,0 +1,49 @@
|
||||
눈썹밑 피부절개술
|
||||
2025.12.09 Tue PM 7:52 ・ 3Minutes 51seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 티 안 나게 눈꺼풀 처짐을 개선하는 눈썹 및 피부 절개술에 대해 말씀드리겠습니다.
|
||||
나이가 들면서 눈꺼풀이 처져 시야를 가리거나 답답한 인상을 주는 경우가 많습니다.
|
||||
쌍꺼풀 없는 눈매를 선호하거나 기존의 쌍거풀 라인을 유지하면서 처진 눈꺼풀만 개선하고 싶으신 분들에게는 제이미 성형외과의 눈썹 및 피부 절개술이 효과적인 해결책이 될 수 있습니다.
|
||||
제이미 성형외과의 눈썹 및 피부 절개술은 기존의 쌍꺼풀 라인을 건드리지 않고 눈썹 바로 밑의 피부를 절개하여 처진 눈꺼풀을 리프팅하는 수술입니다.
|
||||
절개선이 눈썹 밑에 숨겨지기 때문에 흉터에 대한 걱정이 없고 쌍거풀 수술보다 수술 시간과 회복 기간이 짧은 장점이 있습니다.
|
||||
눈썹 및 피부 절개술을 통해 처진 눈꺼풀이 개선되어 시야가 확보되고 더욱 젊고 시원한 눈매를 얻을 수 있습니다.
|
||||
기존 쌍거풀 라인의 변화가 없어 자연스러운 개선을 원하는 분들에게 만족도가 높은 수술입니다.
|
||||
|
||||
Attendees 1 01:20
|
||||
눈꺼풀이 처져서 고민이지만 쌍거풀 수술이 싫거나 부담스러우시다면 제이미 성형외과의 눈썹 및 피부 절개술에 대해 상담받아보시기를 바랍니다.
|
||||
|
||||
Attendees 2 01:31
|
||||
쌍꺼풀 수술과 눈썹 및 피부 절개 수술의 차이점에 대해 좀 더 알기 쉽게 설명해 주실 수 있을까요?
|
||||
|
||||
Attendees 1 01:39
|
||||
쌍거풀 수술은 명칭 그대로 쌍거풀을 만들어 주는 수술이고요.
|
||||
눈썹 및 피부 절개는 눈썹과 눈 사이에 피부 여분이 너무 많거나 처진 부분을 잘라내는 수술입니다.
|
||||
환자가 느끼기에 가장 큰 차이는 쌍거풀 수술은 쌍꺼풀이 남게 되고요.
|
||||
눈썹미 피부 절개 수술은 처진 피부만 없어지지 쌍거풀이 없는 눈이 결과로 남게 됩니다.
|
||||
|
||||
Attendees 2 02:07
|
||||
흉터가 너무 보이는 위치인데 흉터 걱정이 너무 됩니다.
|
||||
|
||||
Attendees 1 02:11
|
||||
네 일반인들이 생각할 때는 눈썹 밑을 4 5cm씩 길게 절게 한다 그러면 흉터 걱정을 하는 것이 당연합니다.
|
||||
그런데 여기서 강조하고 싶은 것은 저희 성형외과 의사가 하는 일은 흉터를 숨기는 것이지 흉터가 남지 않게 하는 것이 아닙니다.
|
||||
즉 속눈썹과 눈썹이 없는 피부의 경계선에 절개선을 위치시키면 환자분의 상상과는 다르게 일상 속에서는 그 절개선이 눈에 거의 띄지 않아요.
|
||||
다만 우리가 작정을 하고 그 부위를 관찰을 해서 절개선을 찾으려면 찾을 수가 있겠죠.
|
||||
하지만 눈썹 및 피부 절개를 받은 대부분의 환자분들이 사회생활 속에서 남들이 그 흉터를 인지할 가능성은 거의 없다라고 답변드리겠습니다.
|
||||
|
||||
Attendees 2 03:07
|
||||
눈썹 및 피부 절개술의 경우 수술 후 회복 기간은 얼마나 필요한가요?
|
||||
|
||||
Attendees 1 03:13
|
||||
눈썹 및 피부 절개 수술 후 회복 과정을 간략히 요약해 드리겠습니다.
|
||||
수술이 끝나면 다음 날 치료를 받으러 한번 오셔야 되고요.
|
||||
치료를 받고 나면 세수, 샴푸, 샤워 모든 것이 다 가능해서 일상생활로의 복귀가 가능합니다.
|
||||
그리고 실밥은 5일째 제거하게 되고요. 실밥을 제거하고 나면 사회생활 즉 학교나 직장으로 출근을 할 수 있습니다.
|
||||
그래서 전체적으로 봤을 때 눈썹 및 피부 절개 수술을 받으실 환자분들에게는 일주일 정도 휴식 기간을 잡으시면 충분합니다라고 설명드리고 있습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
21
_jamie-reference-raw-data/진료과목소개_음성/동안 성형.txt
Normal file
21
_jamie-reference-raw-data/진료과목소개_음성/동안 성형.txt
Normal file
@@ -0,0 +1,21 @@
|
||||
동안 성형
|
||||
2025.12.09 Tue PM 7:52 ・ 1Minutes 52seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 젊음과 활력을 되찾아 드리는 제이미의 동안 성향에 대해 알아보겠습니다.
|
||||
평균 수명과 사회생활 기간이 길어지면서 동안성형에 대한 수요도 꾸준히 늘고 있습니다.
|
||||
일주일 정도의 회복 기간을 가지더라도 근본적인 문제 해결로 오래 지속되는 효과를 누리고 싶은 고객님들을 위하여 제이미 성형외과에서는 내시경 이마거상술, 앞광대 리프팅, 스마스 리프팅, 자가지방 이식 등의 수술을 시행하고 있습니다.
|
||||
제이미 성형외과의 동안 성형은 최소 침습적인 방법을 사용하기 때문에 안전하고 회복이 빠른 것이 최대 장점입니다.
|
||||
앞광대 리프팅은 눈 밑의 불룩함과 앞볼 처짐, 팔자 주름을 한 번의 수술로 개선시켜 줄 수 있고, 스마스 리프팅은 얼굴의 표정근까지 리프팅을 하여 뺨과 턱선을 근본적으로 리프팅시켜주는 수술입니다.
|
||||
이와 동시에 지방이 과도한 부분은 지방을 흡입해 주고 부족한 부위는 자가지방 이식을 시행하여 적당한 볼륨감을 완성시켜 줍니다.
|
||||
|
||||
Attendees 1 01:21
|
||||
제이미의 동안 성형은 수술한 티가 나지 않고 인상이 변하지 않도록 수술하기 때문에 자연스럽게 젊어지는 효과를 누릴 수 있습니다.
|
||||
제이미 성형외과는 회복 기간이 필요 없는 간단한 동안 시술부터 효과가 오래 지속되는 근본적인 동안 성형까지 고객님의 상황에 적합한 다양한 솔루션을 준비하고 있습니다.
|
||||
언제든지 편안한 마음으로 상담해 주시면 감사하겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
47
_jamie-reference-raw-data/진료과목소개_음성/동안 시술.txt
Normal file
47
_jamie-reference-raw-data/진료과목소개_음성/동안 시술.txt
Normal file
@@ -0,0 +1,47 @@
|
||||
동안 시술
|
||||
2025.12.09 Tue PM 7:52 ・ 4Minutes 35seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 절개가 있는 수술이 두려운 분들에게 젊고 생기 있는 모습을 되찾아주는 간단한 동안 시술, 예를 들어 실리프팅, 하이프 리프팅, 보톡스, 필러 등에 대해 소개해 드리도록 하겠습니다.
|
||||
일반적인 노화 현상은 중력에 의한 늘어짐과 탄력 감소, 볼륨감의 감소, 그리고 표정 지을 때 생기는 주름의 증가를 특징으로 합니다.
|
||||
이러한 고민들을 해결하고는 싶지만 회복 시간이 충분치 않아 간단한 시술 종류를 찾는 분들이 점점 늘어나고 있습니다.
|
||||
제이미 성형외과는 이러한 고객의 요구에 맞추어 다양한 동안 시술들을 조합하여 고객님들의 니즈를 응대해 드리고 있습니다.
|
||||
늘어지고 탄력이 감소한 부위는 씨를 이용해 리프팅을 시켜주면서 초음파 장비 대표적으로 울쎄라, 슈링크, 뉴테라, 써마지 등이 있는데요.
|
||||
이러한 초음파 장비로 피부의 탄력을 회복시켜줍니다.
|
||||
이는 동안을 만들기 위하여 피부의 깊은 층의 기본 환경을 개선해 주는 역할을 합니다.
|
||||
|
||||
Attendees 1 01:23
|
||||
이와 동시에 볼륨이 부족한 부위는 자가지방이식이나 필러로 보강해 줍니다.
|
||||
그리고 가장 중요하고 눈에 띄는 피부의 표면 표면의 잔주름이나 건조함을 개선시켜주기 위해서는 보톡스나 스킨 부스터로 동안 성형을 마무리하는 종합 선물 세트 같은 접근을 하기 때문에 고객님들의 만족도가 매우 높은 편입니다.
|
||||
지금까지 설명드린 모든 동안 시술은 고객님 개개인의 상태에 맞춰 맞춤형으로 진행되기 때문에 시술 결과와 비용 면에서 최고의 효과를 기대하실 수 있습니다.
|
||||
제이미 성형외과는 회복 기간이 필요 없는 간단한 동안 시술부터 효과가 오래 지속되는 근본적인 동안 수술까지 고객님의 상황에 적합한 다양한 솔루션을 준비하고 있습니다.
|
||||
언제든지 편안한 마음으로 상담해 주시면 감사하겠습니다.
|
||||
|
||||
Attendees 2 02:24
|
||||
동안 시술은 얼마나 효과가 지속되나요?
|
||||
|
||||
Attendees 1 02:30
|
||||
네 동안 시술이 최근에 많은 각광을 받고 있기는 하지만 근본적인 수술보다는 그 효과가 짧게 지속된다는 점은 기본적으로 받아들이셔야 합니다.
|
||||
시술별로 지속 기간은 좀 다른데요. 실리프팅 같은 경우는 저희가 보통 1년 정도를 보고 있고요.
|
||||
그다음에 피부 탄력을 지속시켜주는 하이프 그러니까 초음파 장비들은 보통 3에서 6개월 정도를 보고 있습니다.
|
||||
그리고 보톡스는 4개월 정도 효과가 지속되고 필러는 대체로 종류에 따라 이제 녹아 없어지는 속도가 다르지만 대체로 한 2에서 3년 정도 지속되는 걸로 설명드리고 있습니다.
|
||||
|
||||
Attendees 2 03:13
|
||||
실 리프팅 하이프 리프팅 스킨 부스터를 함께 받아도 괜찮을까요?
|
||||
|
||||
Attendees 1 03:19
|
||||
네 이런 질문이 나온 이유는 실 리프팅과 초음파를 이용한 하이프 리프팅 그리고 스킨 부스터 이 세 가지 조합을 동시에 하는 경우가 가장 많기 때문에 환자분들이 이렇게 3개를 한꺼번에 해도 돼 하고 질문을 주신 것 같아요.
|
||||
근데 이 세 가지 조합이 가장 많이 유행하는 이유는 의학적인 근거가 있는데요.
|
||||
우리 느려진 피부를 이렇게 두께로 봤을 때 가장 깊은 층 스마스라는 근육층을 당겨주는 역할을 담당하는 것이 실이고요.
|
||||
그 위에 있는 중간층 즉 진피층과 지방층의 탄력을 보강해 주는 것이 초음파 장비 즉 하이프 대표적으로 울쎄라 슈링크 뭐 이런 장비들입니다.
|
||||
그리고 가장 표면 피부층을 촉촉하게 만들어주고 생기 있게 만들어주는 것들이 스킨 부스터입니다.
|
||||
|
||||
Attendees 1 04:15
|
||||
그래서 최근에 수술이 두려워서 간단한 시술로 피부의 어떤 동안 회복하고 싶다 그리고 회복 기간은 없었으면 좋겠다.
|
||||
이런 경우에 실리프팅 하이프 리프팅 스킨 부스터 이 세 가지를 조합해서 동시에 시행하는 경우가 가장 보편적이라고 말씀드릴 수 있습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
31
_jamie-reference-raw-data/진료과목소개_음성/듀얼 트임 수술.txt
Normal file
31
_jamie-reference-raw-data/진료과목소개_음성/듀얼 트임 수술.txt
Normal file
@@ -0,0 +1,31 @@
|
||||
듀얼 트임 수술
|
||||
2025.12.09 Tue PM 7:52 ・ 2Minutes 18seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
네 안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 더욱 시원하고 매력적인 눈매를 위한 듀얼트임 수술에 대해 말씀드리겠습니다.
|
||||
쌍거풀 수술이나 눈매 교정술을 하고도 눈매가 답답해 보이고 기름하고 시원한 느낌이 부족한 경우가 있습니다.
|
||||
이런 현상은 대부분 몽고주름으로 눈 앞쪽 라인이 덮여 있거나 미간이 넓기 때문에 발생합니다.
|
||||
제이미 성형외과에서는 앞트임과 위트임을 동시에 진행하는 듀얼 트임으로 이러한 고민을 한꺼번에 해결하고 있습니다.
|
||||
제이미 정형외과에서는 몽고주름이 심한 한국인의 특성을 고려하여 피부 재배치법을 응용한 앞트임과 위트임을 동시에 진행하고 있습니다.
|
||||
이러한 테크닉은 덮여 있는 쌍거풀 라인을 시원하게 드러냄과 동시에 미간 사이의 공간도 자연스럽게 조절해 줄 수 있습니다.
|
||||
듀얼트임은 수술 시간도 20분 내외로 짧고 회복도 빨라서 수술 다음 날부터 세안과 화장이 가능합니다.
|
||||
|
||||
Attendees 1 01:12
|
||||
듀얼트엠 수술은 기본적으로 눈 앞쪽의 상하 폭과 눈의 가로 길이를 증가시켜주고 착시 현상으로 눈꼬리가 내려가 보이는 선한 인상까지 얻을 수 있습니다.
|
||||
제이미 성형외과는 고객님의 눈매 고민을 정확히 파악하고 최적의 트임 수술을 통해 만족스러운 결과를 선사합니다.
|
||||
아름다운 눈매를 원하신다면 언제든 제이미성 외과에 문의해 주세요.
|
||||
|
||||
Attendees 2 01:41
|
||||
쌍꺼풀 수술과 트임 수술을 같이 하는 것이 더 효과적인가요?
|
||||
|
||||
Attendees 1 01:46
|
||||
대체로 그렇다고 말씀드릴 수 있습니다. 쌍거풀 수술은 말 그대로 홑꺼풀을 쌍거풀로 바꿔주는 수술이고요.
|
||||
트임 수술은 눈의 좌우 폭을 늘려주기 위한 수술입니다.
|
||||
대체로 환자분들이 눈의 상하 폭을 늘리면서 좌우 폭도 같이 늘려주기를 바라시기 때문에 쌍꺼풀 수술과 트임 수술은 임상에서 같이 진행되는 경우가 많습니다.
|
||||
그러나 어느 한쪽을 원치 않으신다면 따로 수술을 하거나 어느 한쪽만 수술하셔도 아무런 문제가 없습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
111
_jamie-reference-raw-data/진료과목소개_음성/스마스 리프팅.txt
Normal file
111
_jamie-reference-raw-data/진료과목소개_음성/스마스 리프팅.txt
Normal file
@@ -0,0 +1,111 @@
|
||||
스마스 리프팅
|
||||
2025.12.09 Tue PM 7:52 ・ 6Minutes 24seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 중안면부에서 하한면부까지 폭넓게 리프팅을 해주는 스마스 리프팅에 대해 말씀드리겠습니다.
|
||||
노화가 진행되면서 뺨, 턱선, 목 주변까지 얼굴이 전반적으로 늘어지고 주름이 생겨 고민하시는 분들이 많습니다.
|
||||
이런 경우에는 얼굴 깊숙이 위치한 표정 근막 즉 영어로는 스마스라고 하는데요.
|
||||
이 표정 근막층부터 근본적으로 당겨 올려줘야 충분한 효과를 볼 수 있습니다.
|
||||
제이미의 스마스 리프팅은 뺨부터 목까지 폭넓은 부위에 피부, 그 밑에 지방층 그리고 제일 깊은 곳에 위치한 스마스층까지 동시에 리프팅 해주는 수술입니다.
|
||||
제이미의 스마스 리프팅은 4시간 정도 소요되는 섬세한 수술이지만 디자인부터 마무리까지 정기호 원장이 전 과정을 직접 집도하고 있습니다.
|
||||
전신 마취가 아닌 국소 마취와 수면 마취로 진행되기 때문에 마취 부담이 적습니다.
|
||||
헤어라인과 귀의 경계선이 위치한 절개선은 눈에 잘 띄지 않습니다.
|
||||
|
||||
Attendees 1 01:20
|
||||
수술 후에 입원이 필요하지 않아 당일 퇴원이 가능하고 수술 다음 날부터 세안과 샴푸, 샤워가 가능하기 때문에 빠른 일상생활 복귀가 가능합니다.
|
||||
스마스 리프팅은 중안면부와 하안면부의 폭넓은 리프팅을 통해 얼굴이 전체적으로 젊어지는 효과를 기대할 수 있습니다.
|
||||
뺨부터 턱선 그리고 목까지 얼굴 전반에 걸쳐 노화가 많이 진행된 상황이라면 제이미 성형외과의 스마스 리프팅 상담을 추천드립니다.
|
||||
|
||||
Attendees 2 01:56
|
||||
네 끝
|
||||
|
||||
Attendees 1 01:57
|
||||
저 감독님 괜찮으시면 중간 부분 일부 다시 찍고 싶은데요.
|
||||
아까 집도를 제가 막 적다 보니까 아무 생각 없이 정기호 원장이 집도한다고 그랬는데 내가 내 말 하면서 내 이름 그거를 그거를 제가 제가 직접 집도합니다.
|
||||
바꿔야 될 것 같은데요.
|
||||
|
||||
Attendees 2 02:13
|
||||
그래서 제가 그 얘기를 해가지고 이상하다는 느낌
|
||||
|
||||
Attendees 1 02:16
|
||||
내가 내 이름으로 말
|
||||
|
||||
Attendees 3 02:17
|
||||
아까 다른 종교
|
||||
|
||||
Attendees 1 02:19
|
||||
아니요. 고문단만 다시 좀 읽으면서
|
||||
|
||||
Attendees 4 02:23
|
||||
jb 스마스 리프팅은 4시간 정도 이 부분을
|
||||
|
||||
Attendees 1 02:27
|
||||
고문단을 새로 하겠습니다. 죄송합니다.
|
||||
|
||||
Attendees 2 02:29
|
||||
네 가겠습니다. 하이 큐
|
||||
|
||||
Attendees 1 02:35
|
||||
제이미 스마스 리프팅은 4시간 정도 소요되는 세심한 수술이지만 디자인부터 마무리까지 전 과정을 제가 직접 집도하고 있습니다.
|
||||
전신 마취가 아닌 국소 마취와 수면 마취로 진행되기 때문에 마취 부담이 적은 것도 장점입니다.
|
||||
헤어라인과 귀의 경계선에 위치한 절개선은 눈에 잘 띄지 않습니다.
|
||||
수술 후에는 입원이 필요하지 않아 당일 퇴원이 가능하고 수술 다음 날부터 세안, 샴푸, 샤워 모두 가능하기 때문에 빠른 일상생활 복귀가 가능합니다.
|
||||
여기서 끊으면 되지 않나요? 계속 했어야 되나? 아 죄송합니다.
|
||||
|
||||
Attendees 2 03:19
|
||||
원래는 이제 호흡이라는 게 있어가지고.
|
||||
|
||||
Attendees 1 03:22
|
||||
아 예 죄송합니다.
|
||||
|
||||
Attendees 2 03:23
|
||||
그게 너무 또 그렇게 하면 두 편집
|
||||
|
||||
Attendees 1 03:26
|
||||
죄송합니다. 다시 할게
|
||||
|
||||
Attendees 2 03:28
|
||||
상관은 없는데 네
|
||||
|
||||
Attendees 1 03:30
|
||||
제가 고문단만 하는 줄 알았는데
|
||||
|
||||
Attendees 2 03:32
|
||||
네 원래는 이제 이게 이게 호흡이라는 게 있어가지고 그게 자연스럽게 이어지면
|
||||
|
||||
Attendees 1 03:37
|
||||
괜찮으시면 다시 볼까요? 끝까지 죄송합니다.
|
||||
|
||||
Attendees 2 03:40
|
||||
제이미 스마스 거기부터 할게요. 네 끝까지 하시면 됩니다.
|
||||
네 알겠습니다. 하이 큐
|
||||
|
||||
Attendees 1 03:50
|
||||
제이미 스마스 리프팅은 4시간 정도 소요되는 세심한 수술이지만 디자인부터 마무리까지 전 과정을 제가 직접 집도하고 있습니다.
|
||||
전신 마취가 아닌 국소 마취와 수면 마취로 진행되기 때문에 마취 부담이 적습니다.
|
||||
헤어라인과 귀의 경계선에 위치한 절개선은 눈에 잘 띄지 않는 장점도 있습니다.
|
||||
수술 후에는 입원이 필요하지 않아 당일 퇴원이 가능하고 수술 다음 날부터 세안 샴푸, 샤워가 가능하기 때문에 빠른 일상생활 복귀가 가능합니다.
|
||||
스마스 리프팅은 중안면부와 하안면부의 폭넓은 리프팅을 통해 얼굴이 전체적으로 젊어지는 효과를 기대할 수 있습니다.
|
||||
뺨부터 턱선 그리고 목까지 얼굴 전반에 걸쳐 노화가 많이 진행된 상황이라면 제이미 성형외과의 스마스 리프팅 상담을 추천드립니다.
|
||||
|
||||
Attendees 5 04:50
|
||||
네 스마스층이 무엇인지 알기 쉽게 설명해 주실 수 있을까요?
|
||||
|
||||
Attendees 1 04:55
|
||||
네 스마스층이랑 우리 얼굴 표정을 짓는 표정 근육이 얇은 막을 이루고 있는 층을 스마스층이라고 합니다.
|
||||
저희가 안면 거상술을 할 때 스마스층을 중요시하는 이유가 우리가 겉에서 봤을 때 처져 내리는 얼굴 피부와 그 밑에 지방층이 이 스마스층 위에 얹혀져 있습니다.
|
||||
그래서 스마스층을 당겨주면 그 상부에 얹혀져 있는 지방이나 피부층이 보다 효과적으로 당겨 올라오게 되고 또 리프팅 결과가 오래 지속되는 장점이 있습니다.
|
||||
그래서 저희가 보통 안면 거상수를 할 때 스마스층을 함께 당겨 올리는 것을 매우 중요하게 생각하고 있고 거기에 키 포인트가 있기 때문에 보통 안면 거상수를 스마스 리프팅이다 이런 식으로 설명을 하고 있습니다.
|
||||
|
||||
Attendees 3 05:48
|
||||
스마스 리프팅은 전신마취로 진행되나요?
|
||||
|
||||
Attendees 1 05:55
|
||||
스마스 리프팅은 얼굴 전체를 폭넓게 박리하고 오랜 시간 진행되기 때문에 전신마취로 진행하는 병원도 있습니다.
|
||||
그러나 요즘에는 대체로 수면 마취 기술이 발전을 했기 때문에 굳이 금식이나 여러 가지 부작용 가능성이 있는 전신 마취를 하지 않고 수면 진정 마취와 국소 마취를 병행해서 진행하고 있습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
51
_jamie-reference-raw-data/진료과목소개_음성/안검하수 눈매교정술.txt
Normal file
51
_jamie-reference-raw-data/진료과목소개_음성/안검하수 눈매교정술.txt
Normal file
@@ -0,0 +1,51 @@
|
||||
안검하수 눈매교정술
|
||||
2025.12.09 Tue PM 7:53 ・ 4Minutes 40seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 졸리고 답답한 눈매를 또렷하고 시원하게 개선하는 안검하수 눈매 교정술에 대해 말씀드리겠습니다.
|
||||
처진 눈꺼풀이 눈동자를 가리게 되면 눈 뜨기가 힘들어지는 기능상의 불편함이 생기고 졸린 인상과 이마에 주름이 생기는 미적인 고민도 생기게 됩니다.
|
||||
제이미 성형외과에서는 개인의 안검하수 정도와 눈 상태에 따라 비절개 혹은 절개 방식의 맞춤형 눈매 교정술을 시행하여 또렷하고 편안한 눈매를 만들어 드립니다.
|
||||
눈꺼풀 피부의 처짐이 심하지 않은 경우에는 퀵 매몰법을 응용한 비절개 눈매 교정으로 빠른 회복이 가능하며, 처짐이 심한 경우에는 하이브리드 쌍거풀 방식을 응용한 절개식 눈매 교정을 시행하고 있습니다.
|
||||
또한 이마 주름이 심하거나 눈두덩이 두꺼운 경우에는 내시경 이마거상술을 병행하여 자연스럽고 조화로운 눈매를 만들어 드리고 있습니다.
|
||||
안검하수는 재발이 잦은 증상임에도 불구하고 제이미 성형외과에서는 5년간 as를 시행하고 있습니다.
|
||||
|
||||
Attendees 1 01:21
|
||||
안검하수 눈매 교정술을 통해 기능적으로는 눈 뜨기 편해지고 미적으로는 자연스럽고 또렷한 눈매를 얻을 수 있습니다.
|
||||
덤으로 이마의 주름이 개선되고 쌍거풀 라인도 새로이 만들어 드릴 수 있습니다.
|
||||
제이미 성형외과는 안검하수 눈매 교정 분야에서 풍부한 경험과 전문성을 축적하고 있습니다.
|
||||
답답한 눈매로 고민이시라면 지금 바로 제이미 성형외과의 상담을 추천드립니다.
|
||||
|
||||
Attendees 2 01:52
|
||||
원장님 쌍꺼풀 수술 시 꼭 눈매 교정 수술을 같이 해야 하나요?
|
||||
|
||||
Attendees 1 01:58
|
||||
쌍꺼풀 수술은 문자 그대로 쌍거풀 없는 눈에 쌍꺼풀을 만들어 주는 수술이고요.
|
||||
눈매 교정술은 안검하수 즉 졸려 보이고 눈 뜨는 힘이 약한 눈에 어 눈 뜨는 기능을 강화시켜주는 수술입니다.
|
||||
그래서 안검하수가 없다면 쌍거풀 수술만 하셔도 충분히 좋은 결과를 얻으실 수 있고요.
|
||||
반대로 안검하수가 있다면 쌍거풀 수술을 할 때 동시에 교정해 주시는 것이 효과적입니다.
|
||||
|
||||
Attendees 2 02:30
|
||||
원장님 눈매 교정 수술 부작용에는 어떤 것들이 있나요?
|
||||
|
||||
Attendees 1 02:36
|
||||
네 눈매 교정 수술은 눈 수술 중에 가장 난이도가 높은 수술이기 때문에 부작용의 종류와 어 정도도 심한 것들이 굉장히 많습니다.
|
||||
그래서 고객님들이 부작용 걱정을 미리 하고 질문도 많이 하시는데요.
|
||||
빈도상 가장 흔한 것은 비대칭입니다. 그리고 눈매 교정만의 어떤 고유의 부작용이라면 과교정과 저교정이 있습니다.
|
||||
이 중에서 과교정이라는 것은 졸린 눈을 너무 심하게 많이 키워서 눈이 부리부리하고 무서워 보이거나 점막이 뒤집어져 보이는 심각한 부작용이라고 할 수가 있겠습니다.
|
||||
여기서 고객님들께 드리고 싶은 말씀은 눈매 교정의 부작용을 두려워해서 수술을 피하시면 안 되고요.
|
||||
눈매 교정을 부작용 없이 매끄럽게 수술할 수 있는 숙련되고 경험이 많은 병원을 찾는 것이 키 포인트라고 말씀드릴 수 있겠습니다.
|
||||
|
||||
Attendees 2 03:37
|
||||
눈매 교정 수술 후 점막 들림이나 너무 부릅뜬 눈처럼 보일까 걱정이 되는데 괜찮을까요?
|
||||
|
||||
Attendees 1 03:46
|
||||
눈매 교정 수술 후 발생 가능한 부작용 중에 가장 염려스러운 것이 과교정입니다.
|
||||
과교정이라는 것은 작은 눈을 너무 크게 만들어서 우리가 눈을 바라볼 때 부리부리하고 무서운 느낌이 들거나 또 눈꺼풀 점막이 뒤집어져서 타인이 점막을 인지하는 경우입니다.
|
||||
이런 경우는 사실은 조기 교정하는 것이 중요합니다.
|
||||
과교정된 상태로 이게 굳어버리면 교정하는 게 어렵기 때문에 점막 들림이나 과교정의 어떤 증상 대표적으로 이제 눈 마름증이라든지 반대로 눈물이 너무 많이 난다든지 이런 부작용이 발생한 경우에는 수술한 병원에 즉시 알리고 가능하면 빠른 교정을 하는 것이 좋겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
32
_jamie-reference-raw-data/진료과목소개_음성/앞광대 리프팅.txt
Normal file
32
_jamie-reference-raw-data/진료과목소개_음성/앞광대 리프팅.txt
Normal file
@@ -0,0 +1,32 @@
|
||||
앞광대 리프팅
|
||||
2025.12.09 Tue PM 7:53 ・ 2Minutes 44seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 재미 성형외과 정기호 원장입니다.
|
||||
오늘은 중안면부의 노화를 개선해 줄 수 있는 앞광대 리프팅에 대해 말씀드리겠습니다.
|
||||
나이가 들면서 눈밑 지방이 불룩해지고 볼살이 처지면 팔자 주름이 깊어지게 되고 중안면부의 노화가 본격적으로 진행되면서 피곤해 보이거나 심술궂은 인상이 되기 쉽습니다.
|
||||
앞광대 리프팅은 눈밑 지방부터 광대 앞 볼살을 리프팅시켜서 깊어진 팔자 주름까지 한꺼번에 개선시켜주는 수술입니다.
|
||||
제이미 성형외과의 앞광대 리프팅은 속눈썹 바로 밑부분에 절개선을 위치시켜 절개선이 눈에 잘 띄지 않습니다.
|
||||
이 절개선을 이용하여 눈 밑 지방 재배치를 포함한 하안검 성형술을 기본적으로 시행하면서 필요에 따라서는 늘어진 볼살과 팔자 주름 주변부까지 리프팅 범위를 넓혀주고 있습니다.
|
||||
이러한 폭넓은 리프팅은 리프팅 자체의 효과가 클 뿐만 아니라 수술 후 눈 밑 뒤집어짐 의학 용어로는 안검외반이라고 하는데요.
|
||||
이러한 부작용을 획기적으로 줄여줄 수 있습니다.
|
||||
|
||||
Attendees 1 01:21
|
||||
결과적으로 하한선부터 팔자 주름까지 젊고 건강한 이미지를 되찾을 수 있겠습니다.
|
||||
눈밑의 주름과 블루함뿐만 아니라 볼살이 처지고 팔자 주름까지 깊어져서 고민이시라면 제이미 성형외과의 앞광대 리프팅 상담을 받아보시기를 바랍니다.
|
||||
|
||||
Attendees 2 01:43
|
||||
눈밑 지방 재배치와 앞광대 리프팅은 어떤 차이가 있나요?
|
||||
|
||||
Attendees 1 01:50
|
||||
네 눈 밑 지방 재배치라는 것은 말 그대로 눈 밑에 위치한 지방 부분 여러분들이 거울을 봤을 때 눈 밑에 불룩한 부분 을 교정해 주는 것을 눈밑 지방 재배치라고 하고요.
|
||||
의학적으로는 하안검 성형술이라는 카테고리에 포함이 됩니다.
|
||||
하한검 성형술은 말 그대로 아래 눈꺼풀을 성형하는 것을 하안검 성형술이라고 해요.
|
||||
거기에 비해서 앞광대 리프팅이라는 것은 눈 밑 지방 재배치뿐만 아니고 더 아랫부분 그러니까 광대 앞쪽에 볼살하고 팔자 주름 부분까지 당겨 올려주는 것을 앞광대 리프팅이라고 합니다.
|
||||
좀 다르게 표현하면 앞광대 리프팅은 눈밑지방 재배치를 포함하고 있는 수술이다.
|
||||
더 폭넓은 수술이다 이렇게 이해하셔도 되겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
32
_jamie-reference-raw-data/진료과목소개_음성/이마성형.txt
Normal file
32
_jamie-reference-raw-data/진료과목소개_음성/이마성형.txt
Normal file
@@ -0,0 +1,32 @@
|
||||
이마성형
|
||||
2025.12.09 Tue PM 7:53 ・ 3Minutes 47seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 이마와 눈썹의 위치가 너무 낮아 불편함을 겪는 분들을 위한 내시경 이마 거상술에 대해 소개해 드리겠습니다.
|
||||
이마와 눈썹의 위치가 너무 낮은 경우 환자들이 이야기하는 고민은 크게 두 가지입니다.
|
||||
하나는 눈을 뜨려면 자신도 모르게 이마를 치켜 올리면서 이마의 주름이 생긴다는 것이고, 또 다른 하나는 낮은 눈썹에 윗 눈꺼풀이 짓눌리면서 눈두덩이 두껍고 눈꺼풀로 눈을 뜰 때 힘이 든다는 점입니다.
|
||||
결국 환자분들은 이마 주름과 눈 뜨기 힘들다는 고민을 이야기하시지만 정작 문제의 해결을 위해서는 이마 거상술로 이마와 눈썹의 위치를 이상적인 위치로 교정해야 한다는 점을 모르는 경우가 대부분입니다.
|
||||
제이미 성형외과의 내시경 이마거상술은 이러한 고민들을 효과적으로 해결해 드립니다.
|
||||
|
||||
Attendees 1 01:10
|
||||
내시경 이마거상술, 내시경 눈썹 거상술, 내시경 눈썹 교정술 등 다양한 용어가 사용되고 있지만 의학적으로는 사실상 동일한 수술이며 개선하고 싶은 부위를 강조하는 표현상의 차이일 뿐입니다.
|
||||
제이미 성형외과의 3점 고정 내시경 이마거상술은 두피 내 3곳에 각각 1에서 2센티미터의 최소 절개를 통해 진행하게 되고, 이러한 최소 절개 방법은 흉터나 탈모의 위험성을 현저히 낮추어 줄 수 있습니다.
|
||||
특히 내시경을 이용해 리프팅한 이마를 3곳 이상 여러 부위에 견고하게 고정한다는 점, 그리고 주문 제작한 흡수성 봉합살을 사용한다는 점은 제이미 성형외과의 핵심 경쟁력입니다.
|
||||
고정점이 많아지면 수술 효과가 오래 지속될 뿐만 아니라 눈썹의 높이나 기울기를 자유롭게 디자인할 수 있고, 이마의 넓이나 모양 그리고 볼륨감까지도 다양하게 조절할 수 있습니다.
|
||||
또한 흡수성 봉합산은 수술 후 이물감이 없고 회복이 빠르며 수술한 티도 나지 않습니다.
|
||||
|
||||
Attendees 1 02:31
|
||||
이러한 모든 과정은 수면 마취와 국소 마취로 통증 없이 1시간 정도로 마무리됩니다.
|
||||
수술 당일 날 붕대나 반창고 없이 퇴원할 수 있고, 수술 다음 날부터는 세안, 샴푸, 샤워 화장이 가능한 점도 큰 장점입니다.
|
||||
수술 후에는 1년간 무료 리프팅 관리 프로그램을 제공하며 동영상을 통해 수술 전후 개선된 모습을 확인시켜 드리고 있습니다.
|
||||
제이미의 내시경 이마 거상수를 통해 이마와 미간의 주름이 개선되고 처진 눈썹이 이상적인 위치로 리프팅되어 눈꺼풀로 편안하게 눈을 뜰 수 있을 것입니다.
|
||||
이러한 변화는 편안하고 부드러운 인상으로 이어지기 때문에 젊고 생기 있는 모습을 얻을 수 있습니다.
|
||||
이마에 주름이 늘어가고 눈 뜨기가 무겁다면 이마 거상술이 필요한 경우가 아닌지 고민해 보십시오.
|
||||
제이미 성형외과의 차별화된 3점 고정 내시경 이마거상술로 여러분에게 젊음과 자신감을 되찾아 드리겠습니다.
|
||||
지금 바로 제이미 성형외과의 전문적인 상담을 받아보세요.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
13
_jamie-reference-raw-data/진료과목소개_음성/인사말.txt
Normal file
13
_jamie-reference-raw-data/진료과목소개_음성/인사말.txt
Normal file
@@ -0,0 +1,13 @@
|
||||
인사말
|
||||
2025.12.09 Tue PM 7:48 ・ 27seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
제이미 성형외과는 눈, 이마 동안 성형 전문 병원입니다.
|
||||
저희는 자연스럽게 어우러지는 얼굴 전체의 조화를 최우선으로 하며 꼭 필요한 시술만 안전하고 효과적인 방법으로 시행하고 있습니다.
|
||||
여러분의 아름다움과 젊음을 만들어 가는 제이미 성형외과가 되겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
45
_jamie-reference-raw-data/진료과목소개_음성/자가지방이식.txt
Normal file
45
_jamie-reference-raw-data/진료과목소개_음성/자가지방이식.txt
Normal file
@@ -0,0 +1,45 @@
|
||||
자가지방이식
|
||||
2025.12.09 Tue PM 7:53 ・ 4Minutes 2seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 얼굴에 부족한 볼륨을 채워 젊고 생기 있는 모습으로 만들어주는 자가지방 이식에 대해 말씀드리겠습니다.
|
||||
나이가 들면서 얼굴 볼륨감이 감소하고 탄력이 떨어지는 고민을 하시는 분들이 많습니다.
|
||||
이런 경우 우리 몸의 불필요한 지방이 축적된 부위에서 지방을 채취하고 볼륨이 부족한 부위로 이식을 해주면 만족스러운 결과를 얻을 수 있습니다.
|
||||
제이미 성형외과에서는 주로 허벅지나 아랫배에서 지방을 채취하여 정제 과정을 거쳐 지방의 밀도를 높인 다음에 이마, 눈, 주위, 뺨, 팔자, 주름 등의 지방 이식을 시행하고 있습니다.
|
||||
이식된 지방은 반영구적으로 유지되고 자가 조직이기 때문에 부작용도 거의 없습니다.
|
||||
특히 제이미 성형외과의 자가지방 이식은 부기와 멍이 적고 회복이 빨라 수술 다음 날부터 사회생활 복귀가 가능해서 휴가를 따로 내지 않고도 수술을 받을 수 있습니다.
|
||||
|
||||
Attendees 1 01:13
|
||||
자가지방 이식을 통해 부족한 볼륨을 보충해 주고 피부 탄력을 증가시키면 보다 입체적이고 생기 있는 얼굴을 기대할 수 있겠습니다.
|
||||
자가지방 이식은 필러의 볼륨 효과와 최근 유행하는 콜라겐 부스터의 콜라겐 재생 효과를 모두 지닌 가장 이상적이고 부작용이 거의 없는 수술 방법입니다.
|
||||
얼굴 부위의 볼륨과 탄력 부족이 고민이시라면 제이미 성형외과의 자가지방 이식 상담을 추천드립니다.
|
||||
|
||||
Attendees 2 01:47
|
||||
이식된 지방의 생착률은 얼마나 되나요? 이식한 지방은 얼마나 오래 유지되나요?
|
||||
|
||||
Attendees 1 01:57
|
||||
이식된 지방의 생착률은 30% 정도로 봅니다. 많게는 40%까지도 보는데요.
|
||||
쉽게 설명하면 환자분에게 뭐 이마나 뺨에 10시시의 지방을 이식하면 3 내지 4시시는 생착해서 영구적으로 가게 되고요.
|
||||
6에서 7시시는 생착에 실패하고 자연 흡수돼서 없어지게 됩니다.
|
||||
그래서 저희가 보통 지방 이식을 할 때 6cc를 넣는 게 목표다.
|
||||
이러면 보통 1차에 10cc를 넣어요. 그러면은 1차 수술의 결과로 10cc에서 30% 즉 3cc 정도가 생존하게 되고 한 두 달 정도 지나서 같은 실수를 반복하면 역시 3시시가 생착을 하게 돼서 1차 때 생착한 3, 2차 때 생착한 3 이렇게 보태면 우리가 처음 목표했던 6시시의 지방이 살아남게 돼서 처음 환자분이 원한 볼륨감을 얻을 수 있게 됩니다.
|
||||
그리고 이식된 지방은 저희가 나무 옮겨 심는 거랑 똑같다고 하거든요.
|
||||
한 번 옮겨 심은 나무는 그 자리에서 계속 자라는 거예요.
|
||||
|
||||
Attendees 1 03:03
|
||||
그래서 거의 반영구적으로 유지된다 이렇게 생각하시면 되고 반영구적이라는 점이 필러나 기타 다른 어떤 인공 주입물하고 큰 차이점을 만드는 지방 이식의 강점이라고 할 수 있겠습니다.
|
||||
|
||||
Attendees 2 03:19
|
||||
지방 이식 후 운동은 언제부터 가능한가요?
|
||||
|
||||
Attendees 1 03:25
|
||||
지방 이식은 거의 90% 이상의 환자분에 있어서 수술 다음 날부터 일상생활 사회생활이 다 가능한 수술이에요.
|
||||
그러니까 달리 말하면 수술 다음 날부터 운동을 해도 별 문제가 없습니다.
|
||||
다만 지방을 채취한 부위 그러니까 허벅지나 아랫배 쪽은 멍이 드는 경우가 많거든요.
|
||||
그래서 그 멍 때문에 멍이 부끄러워서 반바지를 못 입는다든지 뭐 수영을 못 한다든지 이런 일이 있지 현실적으로는 지방 이식하고 다음 날부터 운동을 하셔도 어떤 문제가 생기거나 수술 결과에 영향을 주지는 않습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
39
_jamie-reference-raw-data/진료과목소개_음성/퀵매몰법.txt
Normal file
39
_jamie-reference-raw-data/진료과목소개_음성/퀵매몰법.txt
Normal file
@@ -0,0 +1,39 @@
|
||||
퀵매몰법
|
||||
2025.12.09 Tue PM 7:49 ・ 3Minutes 58seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 티 안 나게 예뻐지는 제이미의 퀵 매몰법에 대해 말씀드리겠습니다.
|
||||
쌍거풀 수술을 원하지만 흉터나 긴 회복 기간이 부담스러우신 분들이 많습니다.
|
||||
제이미 성형외과의 퀵 매몰법은 피부 절개 없이 미세한 구멍을 통해 실로 쌍거풀 라인을 만들어 흉터와 붓기가 적고 회복이 빠른 수술입니다.
|
||||
제이미 성형외과는 일반적인 매몰법의 단점을 보완하기 위해 단매듭 이중 연속 매몰법이라는 방법으로 자연 유착을 유도하고 있습니다.
|
||||
또한 눈두덩이에 지방이 많은 경우 절개 없이도 지방을 제거해 줄 수 있습니다.
|
||||
수술 시간은 10에서 15분 정도로 짧고 수술 당일부터 세안, 샴푸, 화장 등 일상생활이 가능하며 5년간 as를 보장하고 있습니다.
|
||||
퀵 매몰법을 통해 자연스럽고 또렷한 쌍꺼풀 라인을 얻을 수 있으면 붓기와 멍이 적고 회복이 빨라 휴가를 내지 않고도 수술이 가능합니다.
|
||||
|
||||
Attendees 1 01:13
|
||||
제이미 성형외과의 퀵 매몰법은 자연스러운 아름다움을 선호하는 분들에게 적합한 수술입니다.
|
||||
궁금한 점이 있으시다면 언제든 문의해 주세요.
|
||||
|
||||
Attendees 1 01:29
|
||||
그렇지 않습니다. 일반인들이 많이 착각하시는 것이 절개는 안 풀리고 매몰은 풀린다고 생각하는데 실제 매몰법과 절개식 쌍꺼풀이 풀리는 확률은 거의 비슷하다고 보시면 됩니다.
|
||||
한 가지 팁을 드리자면 풀리는 것이 걱정이 되신다면 잘 풀리냐고 묻지 마시고 as 기간을 물어보세요.
|
||||
보통은 as 기간이 긴 병원이 쌍거풀이 잘 풀리지 않고 자신이 있는 병원이라고 생각하셔도 됩니다.
|
||||
|
||||
Attendees 1 02:05
|
||||
보통은 라인에 문제가 생기면 저희 병원에 바로 전화나 사진으로 연락을 주시면 저희들이 그 상태를 파악하고 가능하면 빠른 시간에 즉시 as를 시행하는 것을 원칙으로 하고 있습니다.
|
||||
네, 퀵 매몰법의 붓기와 멍은 굉장히 적습니다. 대부분의 환자분들이 주말에 수술하시고 월요일 날 출근을 다 하고 있습니다.
|
||||
절개식 쌍꺼풀 같은 경우에는 실밥을 보통 4일째 풀기 때문에 실밥을 푼 이후부터 출근을 한다 이렇게 생각하시면 되겠습니다.
|
||||
|
||||
Attendees 1 02:51
|
||||
고객님들이 문의하시는 회복 기간은 의학적으로 두 가지로 분리해서 생각할 수 있습니다.
|
||||
일상생활 회복과 사회생활의 회복인데요. 일상생활의 회복이라는 것은 환자분이 보호자 없이 혼자 씻고 먹고 자고 생활할 수 있는 것을 일상생활의 회복이라고 합니다.
|
||||
반대로 사회생활의 회복이라는 것은 학생이 학교를 간다든지 직장인이 출근하는 것을 말합니다.
|
||||
그래서 쌍꺼풀 수술 같은 경우에 일상생활 회복은 즉시 가능하다라고 말할 수 있습니다.
|
||||
왜냐하면 수술 직후에도 저희 병원 같은 경우에는 세안, 샴푸, 샤워가 가능하고 보호자가 필요 없기 때문입니다.
|
||||
그러나 사회생활의 복귀를 이야기하자면 환자분의 직업마다 조금씩 다르겠지만 퀵매몰 같은 경우에는 하루 정도 휴식 후 바로 출근하시는 편이고 절개식 쌍꺼풀 같은 경우에는 실밥을 다 풀고 출근을 해야 되기 때문에 4에서 5일 정도의 회복 기간이 필요하다 이렇게 답변을 드리겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
37
_jamie-reference-raw-data/진료과목소개_음성/하이브리드 쌍꺼풀.txt
Normal file
37
_jamie-reference-raw-data/진료과목소개_음성/하이브리드 쌍꺼풀.txt
Normal file
@@ -0,0 +1,37 @@
|
||||
하이브리드 쌍꺼풀
|
||||
2025.12.09 Tue PM 7:53 ・ 3Minutes 1seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 절개법과 매몰법의 장점만을 모은 제이미의 하이브리드 쌍거풀에 대해 소개해 드리겠습니다.
|
||||
절개식 쌍거풀은 여분의 조직을 제거할 수 있지만 라인의 자연스러움이 부족하고 매몰법 쌍거풀은 라인은 자연스럽지만 늘어진 눈꺼풀을 제거할 수가 없기 때문에 환자분들은 어떤 방법을 선택해야 할지 고민에 빠지는 경우가 많습니다.
|
||||
이런 분들에게 제이미의 하이브리드 쌍거풀은 매몰법처럼 자연스러운 라인을 만들어주는 동시에 여분의 조직도 제거할 수 있는 솔루션입니다.
|
||||
제이미 성형외과의 하이브리드 쌍거풀은 먼저 매몰법으로 쌍거풀 라인을 만들어 준 다음에 최소 절개로 여분의 눈꺼풀을 제거해 줍니다.
|
||||
결과적으로 매몰법처럼 자연스러운 라인을 얻을 수 있고 일반 절개법 쌍거풀보다 흉터도 적고 회복도 빠릅니다.
|
||||
의사 입장에서는 두 가지 테크닉을 동시에 구사해야 하는 번거로운 방법이지만 환자 입장에서는 매몰법과 절개법의 장점을 동시에 누릴 수 있습니다.
|
||||
|
||||
Attendees 1 01:18
|
||||
절개식 쌍거풀이 두렵고 매몰법 같은 자연스러운 라인을 원하신다면 제이미 성형외과의 하이브리드 쌍거풀 수술을 추천드립니다.
|
||||
더 궁금하신 점은 언제든지 문의 주십시오.
|
||||
|
||||
Attendees 2 01:31
|
||||
첫 번째 질문입니다. 원장님 절개 쌍 커플은 수술한 티가 너무 날까 봐 걱정되는데 괜찮을까요?
|
||||
|
||||
Attendees 1 01:42
|
||||
네. 정상적으로 절개식 쌍거풀이 매끄럽게 진행된 경우에는 일상생활 속에서 우리가 수술한 흉터를 인지하기는 매우 어렵습니다.
|
||||
물론 자세히 찾아본다면 절개선이 보일 수 있겠지만 상담하는 저희조차도 환자분이 수술을 하셨는지 물어봐야 될 정도로 굉장히 흐린 선이 남게 됩니다.
|
||||
제가 생각할 때 환자분들이 그런 질문을 많이 하시는 이유 중에는 어떤 통계상의 오류가 있는데요.
|
||||
예를 들어서 환자분들이 절개식 삼가풀의 흉을 인지했다면 그거는 잘못된 수술이라 여러분 눈에 띄었을 뿐이에요.
|
||||
절개식 쌍갑을 수술하신 분들의 대부분은 수술했는지 안 했는지 저희가 알기가 힘든 것이 사실입니다.
|
||||
|
||||
Attendees 2 02:31
|
||||
절개상 커플 수술 후 회복 기간은 얼마나 필요한가요?
|
||||
|
||||
Attendees 1 02:38
|
||||
네 절개식 쌍거풀 수술의 경우 수술 다음 날 치료를 받고 나시면 세안, 샴푸, 샤워 화장이 모두 가능하고요.
|
||||
4일째 실밥을 풀게 됩니다. 통상적으로 실밥을 풀고 나면 학교에 가거나 회사에 출근하실 수 있기 때문에 4에서 5일 정도 휴식 기간이 필요하다 이렇게 생각하시면 되겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
@@ -0,0 +1,21 @@
|
||||
하이푸 리프팅(HIFU lifting) - 초음파 리프팅
|
||||
2025.12.09 Tue PM 7:53 ・ 1Minutes 50seconds
|
||||
제이미성형외과
|
||||
|
||||
|
||||
Attendees 1 00:00
|
||||
안녕하세요. 제이미 성형외과 정기호 원장입니다.
|
||||
오늘은 최근 유행하고 있는 하이프 리프팅 혹은 초음파 리프팅에 대해 소개해 드리겠습니다.
|
||||
바쁜 현대인들에게 늘어지고 생기 없는 노화된 피부에 탄력을 회복시켜주길 원하는 고객들이 점점 늘어나고 있습니다.
|
||||
이에 가장 부합하는 최신의 장비들이 바로 하이프 리프팅 장비들입니다.
|
||||
대표적으로 울쎄라, 슈링크, 더블로, 뉴테라 등 다양한 상품명을 가진 장비들이 유행하고 있지만 기본적으로는 초음파를 이용한 장비들입니다.
|
||||
최근의 장비들은 성능이 매우 우수해서 장비 간 성능 차이보다는 시술자의 장비 운영 능력이 결과를 좌우하는 경우가 대부분입니다.
|
||||
제이미 성형외과에서는 하이프 장비의 최대 성능을 발휘하면서 화상의 부작용을 예방하기 위해 쿨링 마취 시스템을 도입하여 시술 중 아프지 않고 화상 걱정 없는 안전한 시술을 시행하고 있습니다.
|
||||
|
||||
Attendees 1 01:15
|
||||
초음파 리프팅을 위한 수면 마취 중에 실리프팅이나 리주랑 같은 스킨 부스터 시술도 병행하면 감쪽같이 좋은 결과를 얻을 수 있습니다.
|
||||
이러한 초음파 리프팅은 회복 기간이 필요 없고 피부 콜라겐을 자극하고 재생시켜 수개월간 탄력 있는 피부를 유지시켜줄 수 있습니다.
|
||||
현대인이 바쁜 생활 속에서 회복 기간이 필요 없는 피부 탄력 복원 시술을 찾고 계시다면 제이미 성형외과의 하이프 리프팅 시술 상담을 추천드리겠습니다.
|
||||
|
||||
|
||||
clovanote.naver.com
|
||||
@@ -0,0 +1,44 @@
|
||||
{
|
||||
"name": "anthropic-agent-skills",
|
||||
"owner": {
|
||||
"name": "Keith Lazuka",
|
||||
"email": "klazuka@anthropic.com"
|
||||
},
|
||||
"metadata": {
|
||||
"description": "Anthropic example skills",
|
||||
"version": "1.0.0"
|
||||
},
|
||||
"plugins": [
|
||||
{
|
||||
"name": "document-skills",
|
||||
"description": "Collection of document processing suite including Excel, Word, PowerPoint, and PDF capabilities",
|
||||
"source": "./",
|
||||
"strict": false,
|
||||
"skills": [
|
||||
"./document-skills/xlsx",
|
||||
"./document-skills/docx",
|
||||
"./document-skills/pptx",
|
||||
"./document-skills/pdf"
|
||||
]
|
||||
},
|
||||
{
|
||||
"name": "example-skills",
|
||||
"description": "Collection of example skills demonstrating various capabilities including skill creation, MCP building, visual design, algorithmic art, internal communications, web testing, artifact building, Slack GIFs, and theme styling",
|
||||
"source": "./",
|
||||
"strict": false,
|
||||
"skills": [
|
||||
"./algorithmic-art",
|
||||
"./artifacts-builder",
|
||||
"./brand-guidelines",
|
||||
"./canvas-design",
|
||||
"./frontend-design",
|
||||
"./internal-comms",
|
||||
"./mcp-builder",
|
||||
"./skill-creator",
|
||||
"./slack-gif-creator",
|
||||
"./theme-factory",
|
||||
"./webapp-testing"
|
||||
]
|
||||
}
|
||||
]
|
||||
}
|
||||
2
claude-skills-examples/skills-main/.gitignore
vendored
Normal file
2
claude-skills-examples/skills-main/.gitignore
vendored
Normal file
@@ -0,0 +1,2 @@
|
||||
.DS_Store
|
||||
|
||||
123
claude-skills-examples/skills-main/README.md
Normal file
123
claude-skills-examples/skills-main/README.md
Normal file
@@ -0,0 +1,123 @@
|
||||
# Skills
|
||||
Skills are folders of instructions, scripts, and resources that Claude loads dynamically to improve performance on specialized tasks. Skills teach Claude how to complete specific tasks in a repeatable way, whether that's creating documents with your company's brand guidelines, analyzing data using your organization's specific workflows, or automating personal tasks.
|
||||
|
||||
For more information, check out:
|
||||
- [What are skills?](https://support.claude.com/en/articles/12512176-what-are-skills)
|
||||
- [Using skills in Claude](https://support.claude.com/en/articles/12512180-using-skills-in-claude)
|
||||
- [How to create custom skills](https://support.claude.com/en/articles/12512198-creating-custom-skills)
|
||||
- [Equipping agents for the real world with Agent Skills](https://anthropic.com/engineering/equipping-agents-for-the-real-world-with-agent-skills)
|
||||
|
||||
# About This Repository
|
||||
|
||||
This repository contains example skills that demonstrate what's possible with Claude's skills system. These examples range from creative applications (art, music, design) to technical tasks (testing web apps, MCP server generation) to enterprise workflows (communications, branding, etc.).
|
||||
|
||||
Each skill is self-contained in its own directory with a `SKILL.md` file containing the instructions and metadata that Claude uses. Browse through these examples to get inspiration for your own skills or to understand different patterns and approaches.
|
||||
|
||||
The example skills in this repo are open source (Apache 2.0). We've also included the document creation & editing skills that power [Claude's document capabilities](https://www.anthropic.com/news/create-files) under the hood in the [`document-skills/`](./document-skills/) folder. These are source-available, not open source, but we wanted to share these with developers as a reference for more complex skills that are actively used in a production AI application.
|
||||
|
||||
**Note:** These are reference examples for inspiration and learning. They showcase general-purpose capabilities rather than organization-specific workflows or sensitive content.
|
||||
|
||||
## Disclaimer
|
||||
|
||||
**These skills are provided for demonstration and educational purposes only.** While some of these capabilities may be available in Claude, the implementations and behaviors you receive from Claude may differ from what is shown in these examples. These examples are meant to illustrate patterns and possibilities. Always test skills thoroughly in your own environment before relying on them for critical tasks.
|
||||
|
||||
# Example Skills
|
||||
|
||||
This repository includes a diverse collection of example skills demonstrating different capabilities:
|
||||
|
||||
## Creative & Design
|
||||
- **algorithmic-art** - Create generative art using p5.js with seeded randomness, flow fields, and particle systems
|
||||
- **canvas-design** - Design beautiful visual art in .png and .pdf formats using design philosophies
|
||||
- **slack-gif-creator** - Create animated GIFs optimized for Slack's size constraints
|
||||
|
||||
## Development & Technical
|
||||
- **artifacts-builder** - Build complex claude.ai HTML artifacts using React, Tailwind CSS, and shadcn/ui components
|
||||
- **mcp-server** - Guide for creating high-quality MCP servers to integrate external APIs and services
|
||||
- **webapp-testing** - Test local web applications using Playwright for UI verification and debugging
|
||||
|
||||
## Enterprise & Communication
|
||||
- **brand-guidelines** - Apply Anthropic's official brand colors and typography to artifacts
|
||||
- **internal-comms** - Write internal communications like status reports, newsletters, and FAQs
|
||||
- **theme-factory** - Style artifacts with 10 pre-set professional themes or generate custom themes on-the-fly
|
||||
|
||||
## Meta Skills
|
||||
- **skill-creator** - Guide for creating effective skills that extend Claude's capabilities
|
||||
- **template-skill** - A basic template to use as a starting point for new skills
|
||||
|
||||
# Document Skills
|
||||
|
||||
The `document-skills/` subdirectory contains skills that Anthropic developed to help Claude create various document file formats. These skills demonstrate advanced patterns for working with complex file formats and binary data:
|
||||
|
||||
- **docx** - Create, edit, and analyze Word documents with support for tracked changes, comments, formatting preservation, and text extraction
|
||||
- **pdf** - Comprehensive PDF manipulation toolkit for extracting text and tables, creating new PDFs, merging/splitting documents, and handling forms
|
||||
- **pptx** - Create, edit, and analyze PowerPoint presentations with support for layouts, templates, charts, and automated slide generation
|
||||
- **xlsx** - Create, edit, and analyze Excel spreadsheets with support for formulas, formatting, data analysis, and visualization
|
||||
|
||||
**Important Disclaimer:** These document skills are point-in-time snapshots and are not actively maintained or updated. Versions of these skills ship pre-included with Claude. They are primarily intended as reference examples to illustrate how Anthropic approaches developing more complex skills that work with binary file formats and document structures.
|
||||
|
||||
# Try in Claude Code, Claude.ai, and the API
|
||||
|
||||
## Claude Code
|
||||
You can register this repository as a Claude Code Plugin marketplace by running the following command in Claude Code:
|
||||
```
|
||||
/plugin marketplace add anthropics/skills
|
||||
```
|
||||
|
||||
Then, to install a specific set of skills:
|
||||
1. Select `Browse and install plugins`
|
||||
2. Select `anthropic-agent-skills`
|
||||
3. Select `document-skills` or `example-skills`
|
||||
4. Select `Install now`
|
||||
|
||||
Alternatively, directly install either Plugin via:
|
||||
```
|
||||
/plugin install document-skills@anthropic-agent-skills
|
||||
/plugin install example-skills@anthropic-agent-skills
|
||||
```
|
||||
|
||||
After installing the plugin, you can use the skill by just mentioning it. For instance, if you install the `document-skills` plugin from the marketplace, you can ask Claude Code to do something like: "Use the PDF skill to extract the form fields from path/to/some-file.pdf"
|
||||
|
||||
## Claude.ai
|
||||
|
||||
These example skills are all already available to paid plans in Claude.ai.
|
||||
|
||||
To use any skill from this repository or upload custom skills, follow the instructions in [Using skills in Claude](https://support.claude.com/en/articles/12512180-using-skills-in-claude#h_a4222fa77b).
|
||||
|
||||
## Claude API
|
||||
|
||||
You can use Anthropic's pre-built skills, and upload custom skills, via the Claude API. See the [Skills API Quickstart](https://docs.claude.com/en/api/skills-guide#creating-a-skill) for more.
|
||||
|
||||
# Creating a Basic Skill
|
||||
|
||||
Skills are simple to create - just a folder with a `SKILL.md` file containing YAML frontmatter and instructions. You can use the **template-skill** in this repository as a starting point:
|
||||
|
||||
```markdown
|
||||
---
|
||||
name: my-skill-name
|
||||
description: A clear description of what this skill does and when to use it
|
||||
---
|
||||
|
||||
# My Skill Name
|
||||
|
||||
[Add your instructions here that Claude will follow when this skill is active]
|
||||
|
||||
## Examples
|
||||
- Example usage 1
|
||||
- Example usage 2
|
||||
|
||||
## Guidelines
|
||||
- Guideline 1
|
||||
- Guideline 2
|
||||
```
|
||||
|
||||
The frontmatter requires only two fields:
|
||||
- `name` - A unique identifier for your skill (lowercase, hyphens for spaces)
|
||||
- `description` - A complete description of what the skill does and when to use it
|
||||
|
||||
The markdown content below contains the instructions, examples, and guidelines that Claude will follow. For more details, see [How to create custom skills](https://support.claude.com/en/articles/12512198-creating-custom-skills).
|
||||
|
||||
# Partner Skills
|
||||
|
||||
Skills are a great way to teach Claude how to get better at using specific pieces of software. As we see awesome example skills from partners, we may highlight some of them here:
|
||||
|
||||
- **Notion** - [Notion Skills for Claude](https://www.notion.so/notiondevs/Notion-Skills-for-Claude-28da4445d27180c7af1df7d8615723d0)
|
||||
405
claude-skills-examples/skills-main/THIRD_PARTY_NOTICES.md
Normal file
405
claude-skills-examples/skills-main/THIRD_PARTY_NOTICES.md
Normal file
@@ -0,0 +1,405 @@
|
||||
# **Third-Party Notices**
|
||||
|
||||
THE FOLLOWING SETS FORTH ATTRIBUTION NOTICES FOR THIRD PARTY SOFTWARE THAT MAY BE CONTAINED IN PORTIONS OF THIS PRODUCT.
|
||||
|
||||
---
|
||||
|
||||
## **BSD 2-Clause License**
|
||||
|
||||
The following components are licensed under BSD 2-Clause License reproduced below:
|
||||
|
||||
**imageio 2.37.0**, Copyright (c) 2014-2022, imageio developers
|
||||
|
||||
**imageio-ffmpeg 0.6.0**, Copyright (c) 2019-2025, imageio
|
||||
|
||||
**License Text:**
|
||||
|
||||
Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
|
||||
|
||||
1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer.
|
||||
|
||||
2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution.
|
||||
|
||||
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
|
||||
|
||||
---
|
||||
|
||||
## **GNU General Public License v3.0**
|
||||
|
||||
The following components are licensed under GNU General Public License v3.0 reproduced below:
|
||||
|
||||
**FFmpeg 7.0.2**, Copyright (c) 2000-2024 the FFmpeg developers
|
||||
|
||||
Source Code: [https://ffmpeg.org/releases/ffmpeg-7.0.2.tar.xz](https://ffmpeg.org/releases/ffmpeg-7.0.2.tar.xz)
|
||||
|
||||
**License Text:**
|
||||
|
||||
GNU GENERAL PUBLIC LICENSE Version 3, 29 June 2007
|
||||
|
||||
Copyright © 2007 Free Software Foundation, Inc. [https://fsf.org/](https://fsf.org/)
|
||||
|
||||
Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed.
|
||||
|
||||
Preamble
|
||||
|
||||
The GNU General Public License is a free, copyleft license for software and other kinds of works.
|
||||
|
||||
The licenses for most software and other practical works are designed to take away your freedom to share and change the works. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change all versions of a program--to make sure it remains free software for all its users. We, the Free Software Foundation, use the GNU General Public License for most of our software; it applies also to any other work released this way by its authors. You can apply it to your programs, too.
|
||||
|
||||
When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for them if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs, and that you know you can do these things.
|
||||
|
||||
To protect your rights, we need to prevent others from denying you these rights or asking you to surrender the rights. Therefore, you have certain responsibilities if you distribute copies of the software, or if you modify it: responsibilities to respect the freedom of others.
|
||||
|
||||
For example, if you distribute copies of such a program, whether gratis or for a fee, you must pass on to the recipients the same freedoms that you received. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights.
|
||||
|
||||
Developers that use the GNU GPL protect your rights with two steps: (1) assert copyright on the software, and (2) offer you this License giving you legal permission to copy, distribute and/or modify it.
|
||||
|
||||
For the developers' and authors' protection, the GPL clearly explains that there is no warranty for this free software. For both users' and authors' sake, the GPL requires that modified versions be marked as changed, so that their problems will not be attributed erroneously to authors of previous versions.
|
||||
|
||||
Some devices are designed to deny users access to install or run modified versions of the software inside them, although the manufacturer can do so. This is fundamentally incompatible with the aim of protecting users' freedom to change the software. The systematic pattern of such abuse occurs in the area of products for individuals to use, which is precisely where it is most unacceptable. Therefore, we have designed this version of the GPL to prohibit the practice for those products. If such problems arise substantially in other domains, we stand ready to extend this provision to those domains in future versions of the GPL, as needed to protect the freedom of users.
|
||||
|
||||
Finally, every program is threatened constantly by software patents. States should not allow patents to restrict development and use of software on general-purpose computers, but in those that do, we wish to avoid the special danger that patents applied to a free program could make it effectively proprietary. To prevent this, the GPL assures that patents cannot be used to render the program non-free.
|
||||
|
||||
The precise terms and conditions for copying, distribution and modification follow.
|
||||
|
||||
TERMS AND CONDITIONS
|
||||
|
||||
0. Definitions.
|
||||
|
||||
"This License" refers to version 3 of the GNU General Public License.
|
||||
|
||||
"Copyright" also means copyright-like laws that apply to other kinds of works, such as semiconductor masks.
|
||||
|
||||
"The Program" refers to any copyrightable work licensed under this License. Each licensee is addressed as "you". "Licensees" and "recipients" may be individuals or organizations.
|
||||
|
||||
To "modify" a work means to copy from or adapt all or part of the work in a fashion requiring copyright permission, other than the making of an exact copy. The resulting work is called a "modified version" of the earlier work or a work "based on" the earlier work.
|
||||
|
||||
A "covered work" means either the unmodified Program or a work based on the Program.
|
||||
|
||||
To "propagate" a work means to do anything with it that, without permission, would make you directly or secondarily liable for infringement under applicable copyright law, except executing it on a computer or modifying a private copy. Propagation includes copying, distribution (with or without modification), making available to the public, and in some countries other activities as well.
|
||||
|
||||
To "convey" a work means any kind of propagation that enables other parties to make or receive copies. Mere interaction with a user through a computer network, with no transfer of a copy, is not conveying.
|
||||
|
||||
An interactive user interface displays "Appropriate Legal Notices" to the extent that it includes a convenient and prominently visible feature that (1) displays an appropriate copyright notice, and (2) tells the user that there is no warranty for the work (except to the extent that warranties are provided), that licensees may convey the work under this License, and how to view a copy of this License. If the interface presents a list of user commands or options, such as a menu, a prominent item in the list meets this criterion.
|
||||
|
||||
1. Source Code.
|
||||
|
||||
The "source code" for a work means the preferred form of the work for making modifications to it. "Object code" means any non-source form of a work.
|
||||
|
||||
A "Standard Interface" means an interface that either is an official standard defined by a recognized standards body, or, in the case of interfaces specified for a particular programming language, one that is widely used among developers working in that language.
|
||||
|
||||
The "System Libraries" of an executable work include anything, other than the work as a whole, that (a) is included in the normal form of packaging a Major Component, but which is not part of that Major Component, and (b) serves only to enable use of the work with that Major Component, or to implement a Standard Interface for which an implementation is available to the public in source code form. A "Major Component", in this context, means a major essential component (kernel, window system, and so on) of the specific operating system (if any) on which the executable work runs, or a compiler used to produce the work, or an object code interpreter used to run it.
|
||||
|
||||
The "Corresponding Source" for a work in object code form means all the source code needed to generate, install, and (for an executable work) run the object code and to modify the work, including scripts to control those activities. However, it does not include the work's System Libraries, or general-purpose tools or generally available free programs which are used unmodified in performing those activities but which are not part of the work. For example, Corresponding Source includes interface definition files associated with source files for the work, and the source code for shared libraries and dynamically linked subprograms that the work is specifically designed to require, such as by intimate data communication or control flow between those subprograms and other parts of the work.
|
||||
|
||||
The Corresponding Source need not include anything that users can regenerate automatically from other parts of the Corresponding Source.
|
||||
|
||||
The Corresponding Source for a work in source code form is that same work.
|
||||
|
||||
2. Basic Permissions.
|
||||
|
||||
All rights granted under this License are granted for the term of copyright on the Program, and are irrevocable provided the stated conditions are met. This License explicitly affirms your unlimited permission to run the unmodified Program. The output from running a covered work is covered by this License only if the output, given its content, constitutes a covered work. This License acknowledges your rights of fair use or other equivalent, as provided by copyright law.
|
||||
|
||||
You may make, run and propagate covered works that you do not convey, without conditions so long as your license otherwise remains in force. You may convey covered works to others for the sole purpose of having them make modifications exclusively for you, or provide you with facilities for running those works, provided that you comply with the terms of this License in conveying all material for which you do not control copyright. Those thus making or running the covered works for you must do so exclusively on your behalf, under your direction and control, on terms that prohibit them from making any copies of your copyrighted material outside their relationship with you.
|
||||
|
||||
Conveying under any other circumstances is permitted solely under the conditions stated below. Sublicensing is not allowed; section 10 makes it unnecessary.
|
||||
|
||||
3. Protecting Users' Legal Rights From Anti-Circumvention Law.
|
||||
|
||||
No covered work shall be deemed part of an effective technological measure under any applicable law fulfilling obligations under article 11 of the WIPO copyright treaty adopted on 20 December 1996, or similar laws prohibiting or restricting circumvention of such measures.
|
||||
|
||||
When you convey a covered work, you waive any legal power to forbid circumvention of technological measures to the extent such circumvention is effected by exercising rights under this License with respect to the covered work, and you disclaim any intention to limit operation or modification of the work as a means of enforcing, against the work's users, your or third parties' legal rights to forbid circumvention of technological measures.
|
||||
|
||||
4. Conveying Verbatim Copies.
|
||||
|
||||
You may convey verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice; keep intact all notices stating that this License and any non-permissive terms added in accord with section 7 apply to the code; keep intact all notices of the absence of any warranty; and give all recipients a copy of this License along with the Program.
|
||||
|
||||
You may charge any price or no price for each copy that you convey, and you may offer support or warranty protection for a fee.
|
||||
|
||||
5. Conveying Modified Source Versions.
|
||||
|
||||
You may convey a work based on the Program, or the modifications to produce it from the Program, in the form of source code under the terms of section 4, provided that you also meet all of these conditions:
|
||||
|
||||
a) The work must carry prominent notices stating that you modified it, and giving a relevant date.
|
||||
|
||||
b) The work must carry prominent notices stating that it is released under this License and any conditions added under section 7\. This requirement modifies the requirement in section 4 to "keep intact all notices".
|
||||
|
||||
c) You must license the entire work, as a whole, under this License to anyone who comes into possession of a copy. This License will therefore apply, along with any applicable section 7 additional terms, to the whole of the work, and all its parts, regardless of how they are packaged. This License gives no permission to license the work in any other way, but it does not invalidate such permission if you have separately received it.
|
||||
|
||||
d) If the work has interactive user interfaces, each must display Appropriate Legal Notices; however, if the Program has interactive interfaces that do not display Appropriate Legal Notices, your work need not make them do so.
|
||||
|
||||
A compilation of a covered work with other separate and independent works, which are not by their nature extensions of the covered work, and which are not combined with it such as to form a larger program, in or on a volume of a storage or distribution medium, is called an "aggregate" if the compilation and its resulting copyright are not used to limit the access or legal rights of the compilation's users beyond what the individual works permit. Inclusion of a covered work in an aggregate does not cause this License to apply to the other parts of the aggregate.
|
||||
|
||||
6. Conveying Non-Source Forms.
|
||||
|
||||
You may convey a covered work in object code form under the terms of sections 4 and 5, provided that you also convey the machine-readable Corresponding Source under the terms of this License, in one of these ways:
|
||||
|
||||
a) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by the Corresponding Source fixed on a durable physical medium customarily used for software interchange.
|
||||
|
||||
b) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by a written offer, valid for at least three years and valid for as long as you offer spare parts or customer support for that product model, to give anyone who possesses the object code either (1) a copy of the Corresponding Source for all the software in the product that is covered by this License, on a durable physical medium customarily used for software interchange, for a price no more than your reasonable cost of physically performing this conveying of source, or (2) access to copy the Corresponding Source from a network server at no charge.
|
||||
|
||||
c) Convey individual copies of the object code with a copy of the written offer to provide the Corresponding Source. This alternative is allowed only occasionally and noncommercially, and only if you received the object code with such an offer, in accord with subsection 6b.
|
||||
|
||||
d) Convey the object code by offering access from a designated place (gratis or for a charge), and offer equivalent access to the Corresponding Source in the same way through the same place at no further charge. You need not require recipients to copy the Corresponding Source along with the object code. If the place to copy the object code is a network server, the Corresponding Source may be on a different server (operated by you or a third party) that supports equivalent copying facilities, provided you maintain clear directions next to the object code saying where to find the Corresponding Source. Regardless of what server hosts the Corresponding Source, you remain obligated to ensure that it is available for as long as needed to satisfy these requirements.
|
||||
|
||||
e) Convey the object code using peer-to-peer transmission, provided you inform other peers where the object code and Corresponding Source of the work are being offered to the general public at no charge under subsection 6d.
|
||||
|
||||
A separable portion of the object code, whose source code is excluded from the Corresponding Source as a System Library, need not be included in conveying the object code work.
|
||||
|
||||
A "User Product" is either (1) a "consumer product", which means any tangible personal property which is normally used for personal, family, or household purposes, or (2) anything designed or sold for incorporation into a dwelling. In determining whether a product is a consumer product, doubtful cases shall be resolved in favor of coverage. For a particular product received by a particular user, "normally used" refers to a typical or common use of that class of product, regardless of the status of the particular user or of the way in which the particular user actually uses, or expects or is expected to use, the product. A product is a consumer product regardless of whether the product has substantial commercial, industrial or non-consumer uses, unless such uses represent the only significant mode of use of the product.
|
||||
|
||||
"Installation Information" for a User Product means any methods, procedures, authorization keys, or other information required to install and execute modified versions of a covered work in that User Product from a modified version of its Corresponding Source. The information must suffice to ensure that the continued functioning of the modified object code is in no case prevented or interfered with solely because modification has been made.
|
||||
|
||||
If you convey an object code work under this section in, or with, or specifically for use in, a User Product, and the conveying occurs as part of a transaction in which the right of possession and use of the User Product is transferred to the recipient in perpetuity or for a fixed term (regardless of how the transaction is characterized), the Corresponding Source conveyed under this section must be accompanied by the Installation Information. But this requirement does not apply if neither you nor any third party retains the ability to install modified object code on the User Product (for example, the work has been installed in ROM).
|
||||
|
||||
The requirement to provide Installation Information does not include a requirement to continue to provide support service, warranty, or updates for a work that has been modified or installed by the recipient, or for the User Product in which it has been modified or installed. Access to a network may be denied when the modification itself materially and adversely affects the operation of the network or violates the rules and protocols for communication across the network.
|
||||
|
||||
Corresponding Source conveyed, and Installation Information provided, in accord with this section must be in a format that is publicly documented (and with an implementation available to the public in source code form), and must require no special password or key for unpacking, reading or copying.
|
||||
|
||||
7. Additional Terms.
|
||||
|
||||
"Additional permissions" are terms that supplement the terms of this License by making exceptions from one or more of its conditions. Additional permissions that are applicable to the entire Program shall be treated as though they were included in this License, to the extent that they are valid under applicable law. If additional permissions apply only to part of the Program, that part may be used separately under those permissions, but the entire Program remains governed by this License without regard to the additional permissions.
|
||||
|
||||
When you convey a copy of a covered work, you may at your option remove any additional permissions from that copy, or from any part of it. (Additional permissions may be written to require their own removal in certain cases when you modify the work.) You may place additional permissions on material, added by you to a covered work, for which you have or can give appropriate copyright permission.
|
||||
|
||||
Notwithstanding any other provision of this License, for material you add to a covered work, you may (if authorized by the copyright holders of that material) supplement the terms of this License with terms:
|
||||
|
||||
a) Disclaiming warranty or limiting liability differently from the terms of sections 15 and 16 of this License; or
|
||||
|
||||
b) Requiring preservation of specified reasonable legal notices or author attributions in that material or in the Appropriate Legal Notices displayed by works containing it; or
|
||||
|
||||
c) Prohibiting misrepresentation of the origin of that material, or requiring that modified versions of such material be marked in reasonable ways as different from the original version; or
|
||||
|
||||
d) Limiting the use for publicity purposes of names of licensors or authors of the material; or
|
||||
|
||||
e) Declining to grant rights under trademark law for use of some trade names, trademarks, or service marks; or
|
||||
|
||||
f) Requiring indemnification of licensors and authors of that material by anyone who conveys the material (or modified versions of it) with contractual assumptions of liability to the recipient, for any liability that these contractual assumptions directly impose on those licensors and authors.
|
||||
|
||||
All other non-permissive additional terms are considered "further restrictions" within the meaning of section 10\. If the Program as you received it, or any part of it, contains a notice stating that it is governed by this License along with a term that is a further restriction, you may remove that term. If a license document contains a further restriction but permits relicensing or conveying under this License, you may add to a covered work material governed by the terms of that license document, provided that the further restriction does not survive such relicensing or conveying.
|
||||
|
||||
If you add terms to a covered work in accord with this section, you must place, in the relevant source files, a statement of the additional terms that apply to those files, or a notice indicating where to find the applicable terms.
|
||||
|
||||
Additional terms, permissive or non-permissive, may be stated in the form of a separately written license, or stated as exceptions; the above requirements apply either way.
|
||||
|
||||
8. Termination.
|
||||
|
||||
You may not propagate or modify a covered work except as expressly provided under this License. Any attempt otherwise to propagate or modify it is void, and will automatically terminate your rights under this License (including any patent licenses granted under the third paragraph of section 11).
|
||||
|
||||
However, if you cease all violation of this License, then your license from a particular copyright holder is reinstated (a) provisionally, unless and until the copyright holder explicitly and finally terminates your license, and (b) permanently, if the copyright holder fails to notify you of the violation by some reasonable means prior to 60 days after the cessation.
|
||||
|
||||
Moreover, your license from a particular copyright holder is reinstated permanently if the copyright holder notifies you of the violation by some reasonable means, this is the first time you have received notice of violation of this License (for any work) from that copyright holder, and you cure the violation prior to 30 days after your receipt of the notice.
|
||||
|
||||
Termination of your rights under this section does not terminate the licenses of parties who have received copies or rights from you under this License. If your rights have been terminated and not permanently reinstated, you do not qualify to receive new licenses for the same material under section 10\.
|
||||
|
||||
9. Acceptance Not Required for Having Copies.
|
||||
|
||||
You are not required to accept this License in order to receive or run a copy of the Program. Ancillary propagation of a covered work occurring solely as a consequence of using peer-to-peer transmission to receive a copy likewise does not require acceptance. However, nothing other than this License grants you permission to propagate or modify any covered work. These actions infringe copyright if you do not accept this License. Therefore, by modifying or propagating a covered work, you indicate your acceptance of this License to do so.
|
||||
|
||||
10. Automatic Licensing of Downstream Recipients.
|
||||
|
||||
Each time you convey a covered work, the recipient automatically receives a license from the original licensors, to run, modify and propagate that work, subject to this License. You are not responsible for enforcing compliance by third parties with this License.
|
||||
|
||||
An "entity transaction" is a transaction transferring control of an organization, or substantially all assets of one, or subdividing an organization, or merging organizations. If propagation of a covered work results from an entity transaction, each party to that transaction who receives a copy of the work also receives whatever licenses to the work the party's predecessor in interest had or could give under the previous paragraph, plus a right to possession of the Corresponding Source of the work from the predecessor in interest, if the predecessor has it or can get it with reasonable efforts.
|
||||
|
||||
You may not impose any further restrictions on the exercise of the rights granted or affirmed under this License. For example, you may not impose a license fee, royalty, or other charge for exercise of rights granted under this License, and you may not initiate litigation (including a cross-claim or counterclaim in a lawsuit) alleging that any patent claim is infringed by making, using, selling, offering for sale, or importing the Program or any portion of it.
|
||||
|
||||
11. Patents.
|
||||
|
||||
A "contributor" is a copyright holder who authorizes use under this License of the Program or a work on which the Program is based. The work thus licensed is called the contributor's "contributor version".
|
||||
|
||||
A contributor's "essential patent claims" are all patent claims owned or controlled by the contributor, whether already acquired or hereafter acquired, that would be infringed by some manner, permitted by this License, of making, using, or selling its contributor version, but do not include claims that would be infringed only as a consequence of further modification of the contributor version. For purposes of this definition, "control" includes the right to grant patent sublicenses in a manner consistent with the requirements of this License.
|
||||
|
||||
Each contributor grants you a non-exclusive, worldwide, royalty-free patent license under the contributor's essential patent claims, to make, use, sell, offer for sale, import and otherwise run, modify and propagate the contents of its contributor version.
|
||||
|
||||
In the following three paragraphs, a "patent license" is any express agreement or commitment, however denominated, not to enforce a patent (such as an express permission to practice a patent or covenant not to sue for patent infringement). To "grant" such a patent license to a party means to make such an agreement or commitment not to enforce a patent against the party.
|
||||
|
||||
If you convey a covered work, knowingly relying on a patent license, and the Corresponding Source of the work is not available for anyone to copy, free of charge and under the terms of this License, through a publicly available network server or other readily accessible means, then you must either (1) cause the Corresponding Source to be so available, or (2) arrange to deprive yourself of the benefit of the patent license for this particular work, or (3) arrange, in a manner consistent with the requirements of this License, to extend the patent license to downstream recipients. "Knowingly relying" means you have actual knowledge that, but for the patent license, your conveying the covered work in a country, or your recipient's use of the covered work in a country, would infringe one or more identifiable patents in that country that you have reason to believe are valid.
|
||||
|
||||
If, pursuant to or in connection with a single transaction or arrangement, you convey, or propagate by procuring conveyance of, a covered work, and grant a patent license to some of the parties receiving the covered work authorizing them to use, propagate, modify or convey a specific copy of the covered work, then the patent license you grant is automatically extended to all recipients of the covered work and works based on it.
|
||||
|
||||
A patent license is "discriminatory" if it does not include within the scope of its coverage, prohibits the exercise of, or is conditioned on the non-exercise of one or more of the rights that are specifically granted under this License. You may not convey a covered work if you are a party to an arrangement with a third party that is in the business of distributing software, under which you make payment to the third party based on the extent of your activity of conveying the work, and under which the third party grants, to any of the parties who would receive the covered work from you, a discriminatory patent license (a) in connection with copies of the covered work conveyed by you (or copies made from those copies), or (b) primarily for and in connection with specific products or compilations that contain the covered work, unless you entered into that arrangement, or that patent license was granted, prior to 28 March 2007\.
|
||||
|
||||
Nothing in this License shall be construed as excluding or limiting any implied license or other defenses to infringement that may otherwise be available to you under applicable patent law.
|
||||
|
||||
12. No Surrender of Others' Freedom.
|
||||
|
||||
If conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot convey a covered work so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not convey it at all. For example, if you agree to terms that obligate you to collect a royalty for further conveying from those to whom you convey the Program, the only way you could satisfy both those terms and this License would be to refrain entirely from conveying the Program.
|
||||
|
||||
13. Use with the GNU Affero General Public License.
|
||||
|
||||
Notwithstanding any other provision of this License, you have permission to link or combine any covered work with a work licensed under version 3 of the GNU Affero General Public License into a single combined work, and to convey the resulting work. The terms of this License will continue to apply to the part which is the covered work, but the special requirements of the GNU Affero General Public License, section 13, concerning interaction through a network will apply to the combination as such.
|
||||
|
||||
14. Revised Versions of this License.
|
||||
|
||||
The Free Software Foundation may publish revised and/or new versions of the GNU General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns.
|
||||
|
||||
Each version is given a distinguishing version number. If the Program specifies that a certain numbered version of the GNU General Public License "or any later version" applies to it, you have the option of following the terms and conditions either of that numbered version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of the GNU General Public License, you may choose any version ever published by the Free Software Foundation.
|
||||
|
||||
If the Program specifies that a proxy can decide which future versions of the GNU General Public License can be used, that proxy's public statement of acceptance of a version permanently authorizes you to choose that version for the Program.
|
||||
|
||||
Later license versions may give you additional or different permissions. However, no additional obligations are imposed on any author or copyright holder as a result of your choosing to follow a later version.
|
||||
|
||||
15. Disclaimer of Warranty.
|
||||
|
||||
THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
|
||||
|
||||
16. Limitation of Liability.
|
||||
|
||||
IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES.
|
||||
|
||||
17. Interpretation of Sections 15 and 16\.
|
||||
|
||||
If the disclaimer of warranty and limitation of liability provided above cannot be given local legal effect according to their terms, reviewing courts shall apply local law that most closely approximates an absolute waiver of all civil liability in connection with the Program, unless a warranty or assumption of liability accompanies a copy of the Program in return for a fee.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
||||
How to Apply These Terms to Your New Programs
|
||||
|
||||
If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms.
|
||||
|
||||
To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found.
|
||||
|
||||
\<one line to give the program's name and a brief idea of what it does.\>
|
||||
Copyright (C) \<year\> \<name of author\>
|
||||
|
||||
This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version.
|
||||
|
||||
This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details.
|
||||
|
||||
You should have received a copy of the GNU General Public License along with this program. If not, see [https://www.gnu.org/licenses/](https://www.gnu.org/licenses/).
|
||||
|
||||
Also add information on how to contact you by electronic and paper mail.
|
||||
|
||||
If the program does terminal interaction, make it output a short notice like this when it starts in an interactive mode:
|
||||
|
||||
\<program\> Copyright (C) \<year\> \<name of author\>
|
||||
This program comes with ABSOLUTELY NO WARRANTY; for details type 'show w'. This is free software, and you are welcome to redistribute it under certain conditions; type 'show c' for details.
|
||||
|
||||
The hypothetical commands 'show w' and 'show c' should show the appropriate parts of the General Public License. Of course, your program's commands might be different; for a GUI interface, you would use an "about box".
|
||||
|
||||
You should also get your employer (if you work as a programmer) or school, if any, to sign a "copyright disclaimer" for the program, if necessary. For more information on this, and how to apply and follow the GNU GPL, see [https://www.gnu.org/licenses/](https://www.gnu.org/licenses/).
|
||||
|
||||
The GNU General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. But first, please read [https://www.gnu.org/licenses/why-not-lgpl.html](https://www.gnu.org/licenses/why-not-lgpl.html).
|
||||
|
||||
---
|
||||
|
||||
## **MIT-CMU License (HPND)**
|
||||
|
||||
The following components are licensed under MIT-CMU License (HPND) reproduced below:
|
||||
|
||||
**Pillow 11.3.0**, Copyright © 1997-2011 by Secret Labs AB, Copyright © 1995-2011 by Fredrik Lundh and contributors, Copyright © 2010 by Jeffrey A. Clark and contributors
|
||||
|
||||
**License Text:**
|
||||
|
||||
By obtaining, using, and/or copying this software and/or its associated documentation, you agree that you have read, understood, and will comply with the following terms and conditions:
|
||||
|
||||
Permission to use, copy, modify and distribute this software and its documentation for any purpose and without fee is hereby granted, provided that the above copyright notice appears in all copies, and that both that copyright notice and this permission notice appear in supporting documentation, and that the name of Secret Labs AB or the author not be used in advertising or publicity pertaining to distribution of the software without specific, written prior permission.
|
||||
|
||||
SECRET LABS AB AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE, INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL SECRET LABS AB OR THE AUTHOR BE LIABLE FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
|
||||
|
||||
---
|
||||
|
||||
## **SIL Open Font License v1.1**
|
||||
|
||||
The following fonts are licensed under SIL Open Font License v1.1 reproduced below:
|
||||
|
||||
**Arsenal SC**, Copyright 2012 The Arsenal Project Authors ([andrij.design@gmail.com](mailto:andrij.design@gmail.com))
|
||||
|
||||
**Big Shoulders**, Copyright 2019 The Big Shoulders Project Authors ([https://github.com/xotypeco/big\_shoulders](https://github.com/xotypeco/big_shoulders))
|
||||
|
||||
**Boldonse**, Copyright 2024 The Boldonse Project Authors ([https://github.com/googlefonts/boldonse](https://github.com/googlefonts/boldonse))
|
||||
|
||||
**Bricolage Grotesque**, Copyright 2022 The Bricolage Grotesque Project Authors ([https://github.com/ateliertriay/bricolage](https://github.com/ateliertriay/bricolage))
|
||||
|
||||
**Crimson Pro**, Copyright 2018 The Crimson Pro Project Authors ([https://github.com/Fonthausen/CrimsonPro](https://github.com/Fonthausen/CrimsonPro))
|
||||
|
||||
**DM Mono**, Copyright 2020 The DM Mono Project Authors ([https://www.github.com/googlefonts/dm-mono](https://www.github.com/googlefonts/dm-mono))
|
||||
|
||||
**Erica One**, Copyright (c) 2011 by LatinoType Limitada ([luciano@latinotype.com](mailto:luciano@latinotype.com)), with Reserved Font Name "Erica One"
|
||||
|
||||
**Geist Mono**, Copyright 2024 The Geist Project Authors ([https://github.com/vercel/geist-font.git](https://github.com/vercel/geist-font.git))
|
||||
|
||||
**Gloock**, Copyright 2022 The Gloock Project Authors ([https://github.com/duartp/gloock](https://github.com/duartp/gloock))
|
||||
|
||||
**IBM Plex Mono**, Copyright © 2017 IBM Corp., with Reserved Font Name "Plex"
|
||||
|
||||
**Instrument Sans**, Copyright 2022 The Instrument Sans Project Authors ([https://github.com/Instrument/instrument-sans](https://github.com/Instrument/instrument-sans))
|
||||
|
||||
**Italiana**, Copyright (c) 2011, Santiago Orozco ([hi@typemade.mx](mailto:hi@typemade.mx)), with Reserved Font Name "Italiana"
|
||||
|
||||
**JetBrains Mono**, Copyright 2020 The JetBrains Mono Project Authors ([https://github.com/JetBrains/JetBrainsMono](https://github.com/JetBrains/JetBrainsMono))
|
||||
|
||||
**Jura**, Copyright 2019 The Jura Project Authors ([https://github.com/ossobuffo/jura](https://github.com/ossobuffo/jura))
|
||||
|
||||
**Libre Baskerville**, Copyright 2012 The Libre Baskerville Project Authors ([https://github.com/impallari/Libre-Baskerville](https://github.com/impallari/Libre-Baskerville)), with Reserved Font Name "Libre Baskerville"
|
||||
|
||||
**Lora**, Copyright 2011 The Lora Project Authors ([https://github.com/cyrealtype/Lora-Cyrillic](https://github.com/cyrealtype/Lora-Cyrillic)), with Reserved Font Name "Lora"
|
||||
|
||||
**National Park**, Copyright 2025 The National Park Project Authors ([https://github.com/benhoepner/National-Park](https://github.com/benhoepner/National-Park))
|
||||
|
||||
**Nothing You Could Do**, Copyright (c) 2010, Kimberly Geswein (kimberlygeswein.com)
|
||||
|
||||
**Outfit**, Copyright 2021 The Outfit Project Authors ([https://github.com/Outfitio/Outfit-Fonts](https://github.com/Outfitio/Outfit-Fonts))
|
||||
|
||||
**Pixelify Sans**, Copyright 2021 The Pixelify Sans Project Authors ([https://github.com/eifetx/Pixelify-Sans](https://github.com/eifetx/Pixelify-Sans))
|
||||
|
||||
**Poiret One**, Copyright (c) 2011, Denis Masharov ([denis.masharov@gmail.com](mailto:denis.masharov@gmail.com))
|
||||
|
||||
**Red Hat Mono**, Copyright 2024 The Red Hat Project Authors ([https://github.com/RedHatOfficial/RedHatFont](https://github.com/RedHatOfficial/RedHatFont))
|
||||
|
||||
**Silkscreen**, Copyright 2001 The Silkscreen Project Authors ([https://github.com/googlefonts/silkscreen](https://github.com/googlefonts/silkscreen))
|
||||
|
||||
**Smooch Sans**, Copyright 2016 The Smooch Sans Project Authors ([https://github.com/googlefonts/smooch-sans](https://github.com/googlefonts/smooch-sans))
|
||||
|
||||
**Tektur**, Copyright 2023 The Tektur Project Authors ([https://www.github.com/hyvyys/Tektur](https://www.github.com/hyvyys/Tektur))
|
||||
|
||||
**Work Sans**, Copyright 2019 The Work Sans Project Authors ([https://github.com/weiweihuanghuang/Work-Sans](https://github.com/weiweihuanghuang/Work-Sans))
|
||||
|
||||
**Young Serif**, Copyright 2023 The Young Serif Project Authors ([https://github.com/noirblancrouge/YoungSerif](https://github.com/noirblancrouge/YoungSerif))
|
||||
|
||||
**License Text:**
|
||||
|
||||
---
|
||||
|
||||
## **SIL OPEN FONT LICENSE Version 1.1 \- 26 February 2007**
|
||||
|
||||
PREAMBLE
|
||||
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide development of collaborative font projects, to support the font creation efforts of academic and linguistic communities, and to provide a free and open framework in which fonts may be shared and improved in partnership with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and redistributed freely as long as they are not sold by themselves. The fonts, including any derivative works, can be bundled, embedded, redistributed and/or sold with any software provided that any reserved names are not used by derivative works. The fonts and derivatives, however, cannot be released under any other type of license. The requirement for fonts to remain under this license does not apply to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
|
||||
"Font Software" refers to the set of files released by the Copyright Holder(s) under this license and clearly marked as such. This may include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting, or substituting \-- in part or in whole \-- any of the components of the Original Version, by changing formats or by porting the Font Software to a new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
|
||||
Permission is hereby granted, free of charge, to any person obtaining a copy of the Font Software, to use, study, copy, merge, embed, modify, redistribute, and sell modified and unmodified copies of the Font Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components, in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled, redistributed and/or sold with any software, provided that each copy contains the above copyright notice and this license. These can be included either as stand-alone text files, human-readable headers or in the appropriate machine-readable metadata fields within text or binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font Name(s) unless explicit written permission is granted by the corresponding Copyright Holder. This restriction only applies to the primary font name as presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font Software shall not be used to promote, endorse or advertise any Modified Version, except to acknowledge the contribution(s) of the Copyright Holder(s) and the Author(s) or with their explicit written permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole, must be distributed entirely under this license, and must not be distributed under any other license. The requirement for fonts to remain under this license does not apply to any document created using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
|
||||
This license becomes null and void if any of the above conditions are not met.
|
||||
|
||||
DISCLAIMER
|
||||
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
55
claude-skills-examples/skills-main/agent_skills_spec.md
Normal file
55
claude-skills-examples/skills-main/agent_skills_spec.md
Normal file
@@ -0,0 +1,55 @@
|
||||
# Agent Skills Spec
|
||||
|
||||
A skill is a folder of instructions, scripts, and resources that agents can discover and load dynamically to perform better at specific tasks. In order for the folder to be recognized as a skill, it must contain a `SKILL.md` file.
|
||||
|
||||
# Skill Folder Layout
|
||||
|
||||
A minimal skill folder looks like this:
|
||||
|
||||
```
|
||||
my-skill/
|
||||
- SKILL.md
|
||||
```
|
||||
|
||||
More complex skills can add additional directories and files as needed.
|
||||
|
||||
|
||||
# The SKILL.md file
|
||||
|
||||
The skill's "entrypoint" is the `SKILL.md` file. It is the only file required to exist. The file must start with a YAML frontmatter followed by regular Markdown.
|
||||
|
||||
## YAML Frontmatter
|
||||
|
||||
The YAML frontmatter has 2 required properties:
|
||||
|
||||
- `name`
|
||||
- The name of the skill in hyphen-case
|
||||
- Restricted to lowercase Unicode alphanumeric + hyphen
|
||||
- Must match the name of the directory containing the SKILL.md
|
||||
- `description`
|
||||
- Description of what the skill does and when Claude should use it
|
||||
|
||||
There are 3 optional properties:
|
||||
|
||||
- `license`
|
||||
- The license applied to the skill
|
||||
- We recommend keeping it short (either the name of a license or the name of a bundled license file)
|
||||
- `allowed-tools`
|
||||
- A list of tools that are pre-approved to run
|
||||
- Currently only supported in Claude Code
|
||||
- `metadata`
|
||||
- A map from string keys to string values
|
||||
- Clients can use this to store additional properties not defined by the Agent Skills Spec
|
||||
- We recommend making your key names reasonably unique to avoid accidental conflicts
|
||||
|
||||
## Markdown Body
|
||||
|
||||
The Markdown body has no restrictions on it.
|
||||
|
||||
# Additional Information
|
||||
|
||||
For a minimal example, see the `template-skill` example.
|
||||
|
||||
# Version History
|
||||
|
||||
- 1.0 (2025-10-16) Public Launch
|
||||
202
claude-skills-examples/skills-main/algorithmic-art/LICENSE.txt
Normal file
202
claude-skills-examples/skills-main/algorithmic-art/LICENSE.txt
Normal file
@@ -0,0 +1,202 @@
|
||||
|
||||
Apache License
|
||||
Version 2.0, January 2004
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction,
|
||||
and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by
|
||||
the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all
|
||||
other entities that control, are controlled by, or are under common
|
||||
control with that entity. For the purposes of this definition,
|
||||
"control" means (i) the power, direct or indirect, to cause the
|
||||
direction or management of such entity, whether by contract or
|
||||
otherwise, or (ii) ownership of fifty percent (50%) or more of the
|
||||
outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity
|
||||
exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications,
|
||||
including but not limited to software source code, documentation
|
||||
source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical
|
||||
transformation or translation of a Source form, including but
|
||||
not limited to compiled object code, generated documentation,
|
||||
and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or
|
||||
Object form, made available under the License, as indicated by a
|
||||
copyright notice that is included in or attached to the work
|
||||
(an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object
|
||||
form, that is based on (or derived from) the Work and for which the
|
||||
editorial revisions, annotations, elaborations, or other modifications
|
||||
represent, as a whole, an original work of authorship. For the purposes
|
||||
of this License, Derivative Works shall not include works that remain
|
||||
separable from, or merely link (or bind by name) to the interfaces of,
|
||||
the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including
|
||||
the original version of the Work and any modifications or additions
|
||||
to that Work or Derivative Works thereof, that is intentionally
|
||||
submitted to Licensor for inclusion in the Work by the copyright owner
|
||||
or by an individual or Legal Entity authorized to submit on behalf of
|
||||
the copyright owner. For the purposes of this definition, "submitted"
|
||||
means any form of electronic, verbal, or written communication sent
|
||||
to the Licensor or its representatives, including but not limited to
|
||||
communication on electronic mailing lists, source code control systems,
|
||||
and issue tracking systems that are managed by, or on behalf of, the
|
||||
Licensor for the purpose of discussing and improving the Work, but
|
||||
excluding communication that is conspicuously marked or otherwise
|
||||
designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity
|
||||
on behalf of whom a Contribution has been received by Licensor and
|
||||
subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
copyright license to reproduce, prepare Derivative Works of,
|
||||
publicly display, publicly perform, sublicense, and distribute the
|
||||
Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
(except as stated in this section) patent license to make, have made,
|
||||
use, offer to sell, sell, import, and otherwise transfer the Work,
|
||||
where such license applies only to those patent claims licensable
|
||||
by such Contributor that are necessarily infringed by their
|
||||
Contribution(s) alone or by combination of their Contribution(s)
|
||||
with the Work to which such Contribution(s) was submitted. If You
|
||||
institute patent litigation against any entity (including a
|
||||
cross-claim or counterclaim in a lawsuit) alleging that the Work
|
||||
or a Contribution incorporated within the Work constitutes direct
|
||||
or contributory patent infringement, then any patent licenses
|
||||
granted to You under this License for that Work shall terminate
|
||||
as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the
|
||||
Work or Derivative Works thereof in any medium, with or without
|
||||
modifications, and in Source or Object form, provided that You
|
||||
meet the following conditions:
|
||||
|
||||
(a) You must give any other recipients of the Work or
|
||||
Derivative Works a copy of this License; and
|
||||
|
||||
(b) You must cause any modified files to carry prominent notices
|
||||
stating that You changed the files; and
|
||||
|
||||
(c) You must retain, in the Source form of any Derivative Works
|
||||
that You distribute, all copyright, patent, trademark, and
|
||||
attribution notices from the Source form of the Work,
|
||||
excluding those notices that do not pertain to any part of
|
||||
the Derivative Works; and
|
||||
|
||||
(d) If the Work includes a "NOTICE" text file as part of its
|
||||
distribution, then any Derivative Works that You distribute must
|
||||
include a readable copy of the attribution notices contained
|
||||
within such NOTICE file, excluding those notices that do not
|
||||
pertain to any part of the Derivative Works, in at least one
|
||||
of the following places: within a NOTICE text file distributed
|
||||
as part of the Derivative Works; within the Source form or
|
||||
documentation, if provided along with the Derivative Works; or,
|
||||
within a display generated by the Derivative Works, if and
|
||||
wherever such third-party notices normally appear. The contents
|
||||
of the NOTICE file are for informational purposes only and
|
||||
do not modify the License. You may add Your own attribution
|
||||
notices within Derivative Works that You distribute, alongside
|
||||
or as an addendum to the NOTICE text from the Work, provided
|
||||
that such additional attribution notices cannot be construed
|
||||
as modifying the License.
|
||||
|
||||
You may add Your own copyright statement to Your modifications and
|
||||
may provide additional or different license terms and conditions
|
||||
for use, reproduction, or distribution of Your modifications, or
|
||||
for any such Derivative Works as a whole, provided Your use,
|
||||
reproduction, and distribution of the Work otherwise complies with
|
||||
the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise,
|
||||
any Contribution intentionally submitted for inclusion in the Work
|
||||
by You to the Licensor shall be under the terms and conditions of
|
||||
this License, without any additional terms or conditions.
|
||||
Notwithstanding the above, nothing herein shall supersede or modify
|
||||
the terms of any separate license agreement you may have executed
|
||||
with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade
|
||||
names, trademarks, service marks, or product names of the Licensor,
|
||||
except as required for reasonable and customary use in describing the
|
||||
origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or
|
||||
agreed to in writing, Licensor provides the Work (and each
|
||||
Contributor provides its Contributions) on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
|
||||
implied, including, without limitation, any warranties or conditions
|
||||
of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
|
||||
PARTICULAR PURPOSE. You are solely responsible for determining the
|
||||
appropriateness of using or redistributing the Work and assume any
|
||||
risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory,
|
||||
whether in tort (including negligence), contract, or otherwise,
|
||||
unless required by applicable law (such as deliberate and grossly
|
||||
negligent acts) or agreed to in writing, shall any Contributor be
|
||||
liable to You for damages, including any direct, indirect, special,
|
||||
incidental, or consequential damages of any character arising as a
|
||||
result of this License or out of the use or inability to use the
|
||||
Work (including but not limited to damages for loss of goodwill,
|
||||
work stoppage, computer failure or malfunction, or any and all
|
||||
other commercial damages or losses), even if such Contributor
|
||||
has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing
|
||||
the Work or Derivative Works thereof, You may choose to offer,
|
||||
and charge a fee for, acceptance of support, warranty, indemnity,
|
||||
or other liability obligations and/or rights consistent with this
|
||||
License. However, in accepting such obligations, You may act only
|
||||
on Your own behalf and on Your sole responsibility, not on behalf
|
||||
of any other Contributor, and only if You agree to indemnify,
|
||||
defend, and hold each Contributor harmless for any liability
|
||||
incurred by, or claims asserted against, such Contributor by reason
|
||||
of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
||||
APPENDIX: How to apply the Apache License to your work.
|
||||
|
||||
To apply the Apache License to your work, attach the following
|
||||
boilerplate notice, with the fields enclosed by brackets "[]"
|
||||
replaced with your own identifying information. (Don't include
|
||||
the brackets!) The text should be enclosed in the appropriate
|
||||
comment syntax for the file format. We also recommend that a
|
||||
file or class name and description of purpose be included on the
|
||||
same "printed page" as the copyright notice for easier
|
||||
identification within third-party archives.
|
||||
|
||||
Copyright [yyyy] [name of copyright owner]
|
||||
|
||||
Licensed under the Apache License, Version 2.0 (the "License");
|
||||
you may not use this file except in compliance with the License.
|
||||
You may obtain a copy of the License at
|
||||
|
||||
http://www.apache.org/licenses/LICENSE-2.0
|
||||
|
||||
Unless required by applicable law or agreed to in writing, software
|
||||
distributed under the License is distributed on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
See the License for the specific language governing permissions and
|
||||
limitations under the License.
|
||||
405
claude-skills-examples/skills-main/algorithmic-art/SKILL.md
Normal file
405
claude-skills-examples/skills-main/algorithmic-art/SKILL.md
Normal file
@@ -0,0 +1,405 @@
|
||||
---
|
||||
name: algorithmic-art
|
||||
description: Creating algorithmic art using p5.js with seeded randomness and interactive parameter exploration. Use this when users request creating art using code, generative art, algorithmic art, flow fields, or particle systems. Create original algorithmic art rather than copying existing artists' work to avoid copyright violations.
|
||||
license: Complete terms in LICENSE.txt
|
||||
---
|
||||
|
||||
Algorithmic philosophies are computational aesthetic movements that are then expressed through code. Output .md files (philosophy), .html files (interactive viewer), and .js files (generative algorithms).
|
||||
|
||||
This happens in two steps:
|
||||
1. Algorithmic Philosophy Creation (.md file)
|
||||
2. Express by creating p5.js generative art (.html + .js files)
|
||||
|
||||
First, undertake this task:
|
||||
|
||||
## ALGORITHMIC PHILOSOPHY CREATION
|
||||
|
||||
To begin, create an ALGORITHMIC PHILOSOPHY (not static images or templates) that will be interpreted through:
|
||||
- Computational processes, emergent behavior, mathematical beauty
|
||||
- Seeded randomness, noise fields, organic systems
|
||||
- Particles, flows, fields, forces
|
||||
- Parametric variation and controlled chaos
|
||||
|
||||
### THE CRITICAL UNDERSTANDING
|
||||
- What is received: Some subtle input or instructions by the user to take into account, but use as a foundation; it should not constrain creative freedom.
|
||||
- What is created: An algorithmic philosophy/generative aesthetic movement.
|
||||
- What happens next: The same version receives the philosophy and EXPRESSES IT IN CODE - creating p5.js sketches that are 90% algorithmic generation, 10% essential parameters.
|
||||
|
||||
Consider this approach:
|
||||
- Write a manifesto for a generative art movement
|
||||
- The next phase involves writing the algorithm that brings it to life
|
||||
|
||||
The philosophy must emphasize: Algorithmic expression. Emergent behavior. Computational beauty. Seeded variation.
|
||||
|
||||
### HOW TO GENERATE AN ALGORITHMIC PHILOSOPHY
|
||||
|
||||
**Name the movement** (1-2 words): "Organic Turbulence" / "Quantum Harmonics" / "Emergent Stillness"
|
||||
|
||||
**Articulate the philosophy** (4-6 paragraphs - concise but complete):
|
||||
|
||||
To capture the ALGORITHMIC essence, express how this philosophy manifests through:
|
||||
- Computational processes and mathematical relationships?
|
||||
- Noise functions and randomness patterns?
|
||||
- Particle behaviors and field dynamics?
|
||||
- Temporal evolution and system states?
|
||||
- Parametric variation and emergent complexity?
|
||||
|
||||
**CRITICAL GUIDELINES:**
|
||||
- **Avoid redundancy**: Each algorithmic aspect should be mentioned once. Avoid repeating concepts about noise theory, particle dynamics, or mathematical principles unless adding new depth.
|
||||
- **Emphasize craftsmanship REPEATEDLY**: The philosophy MUST stress multiple times that the final algorithm should appear as though it took countless hours to develop, was refined with care, and comes from someone at the absolute top of their field. This framing is essential - repeat phrases like "meticulously crafted algorithm," "the product of deep computational expertise," "painstaking optimization," "master-level implementation."
|
||||
- **Leave creative space**: Be specific about the algorithmic direction, but concise enough that the next Claude has room to make interpretive implementation choices at an extremely high level of craftsmanship.
|
||||
|
||||
The philosophy must guide the next version to express ideas ALGORITHMICALLY, not through static images. Beauty lives in the process, not the final frame.
|
||||
|
||||
### PHILOSOPHY EXAMPLES
|
||||
|
||||
**"Organic Turbulence"**
|
||||
Philosophy: Chaos constrained by natural law, order emerging from disorder.
|
||||
Algorithmic expression: Flow fields driven by layered Perlin noise. Thousands of particles following vector forces, their trails accumulating into organic density maps. Multiple noise octaves create turbulent regions and calm zones. Color emerges from velocity and density - fast particles burn bright, slow ones fade to shadow. The algorithm runs until equilibrium - a meticulously tuned balance where every parameter was refined through countless iterations by a master of computational aesthetics.
|
||||
|
||||
**"Quantum Harmonics"**
|
||||
Philosophy: Discrete entities exhibiting wave-like interference patterns.
|
||||
Algorithmic expression: Particles initialized on a grid, each carrying a phase value that evolves through sine waves. When particles are near, their phases interfere - constructive interference creates bright nodes, destructive creates voids. Simple harmonic motion generates complex emergent mandalas. The result of painstaking frequency calibration where every ratio was carefully chosen to produce resonant beauty.
|
||||
|
||||
**"Recursive Whispers"**
|
||||
Philosophy: Self-similarity across scales, infinite depth in finite space.
|
||||
Algorithmic expression: Branching structures that subdivide recursively. Each branch slightly randomized but constrained by golden ratios. L-systems or recursive subdivision generate tree-like forms that feel both mathematical and organic. Subtle noise perturbations break perfect symmetry. Line weights diminish with each recursion level. Every branching angle the product of deep mathematical exploration.
|
||||
|
||||
**"Field Dynamics"**
|
||||
Philosophy: Invisible forces made visible through their effects on matter.
|
||||
Algorithmic expression: Vector fields constructed from mathematical functions or noise. Particles born at edges, flowing along field lines, dying when they reach equilibrium or boundaries. Multiple fields can attract, repel, or rotate particles. The visualization shows only the traces - ghost-like evidence of invisible forces. A computational dance meticulously choreographed through force balance.
|
||||
|
||||
**"Stochastic Crystallization"**
|
||||
Philosophy: Random processes crystallizing into ordered structures.
|
||||
Algorithmic expression: Randomized circle packing or Voronoi tessellation. Start with random points, let them evolve through relaxation algorithms. Cells push apart until equilibrium. Color based on cell size, neighbor count, or distance from center. The organic tiling that emerges feels both random and inevitable. Every seed produces unique crystalline beauty - the mark of a master-level generative algorithm.
|
||||
|
||||
*These are condensed examples. The actual algorithmic philosophy should be 4-6 substantial paragraphs.*
|
||||
|
||||
### ESSENTIAL PRINCIPLES
|
||||
- **ALGORITHMIC PHILOSOPHY**: Creating a computational worldview to be expressed through code
|
||||
- **PROCESS OVER PRODUCT**: Always emphasize that beauty emerges from the algorithm's execution - each run is unique
|
||||
- **PARAMETRIC EXPRESSION**: Ideas communicate through mathematical relationships, forces, behaviors - not static composition
|
||||
- **ARTISTIC FREEDOM**: The next Claude interprets the philosophy algorithmically - provide creative implementation room
|
||||
- **PURE GENERATIVE ART**: This is about making LIVING ALGORITHMS, not static images with randomness
|
||||
- **EXPERT CRAFTSMANSHIP**: Repeatedly emphasize the final algorithm must feel meticulously crafted, refined through countless iterations, the product of deep expertise by someone at the absolute top of their field in computational aesthetics
|
||||
|
||||
**The algorithmic philosophy should be 4-6 paragraphs long.** Fill it with poetic computational philosophy that brings together the intended vision. Avoid repeating the same points. Output this algorithmic philosophy as a .md file.
|
||||
|
||||
---
|
||||
|
||||
## DEDUCING THE CONCEPTUAL SEED
|
||||
|
||||
**CRITICAL STEP**: Before implementing the algorithm, identify the subtle conceptual thread from the original request.
|
||||
|
||||
**THE ESSENTIAL PRINCIPLE**:
|
||||
The concept is a **subtle, niche reference embedded within the algorithm itself** - not always literal, always sophisticated. Someone familiar with the subject should feel it intuitively, while others simply experience a masterful generative composition. The algorithmic philosophy provides the computational language. The deduced concept provides the soul - the quiet conceptual DNA woven invisibly into parameters, behaviors, and emergence patterns.
|
||||
|
||||
This is **VERY IMPORTANT**: The reference must be so refined that it enhances the work's depth without announcing itself. Think like a jazz musician quoting another song through algorithmic harmony - only those who know will catch it, but everyone appreciates the generative beauty.
|
||||
|
||||
---
|
||||
|
||||
## P5.JS IMPLEMENTATION
|
||||
|
||||
With the philosophy AND conceptual framework established, express it through code. Pause to gather thoughts before proceeding. Use only the algorithmic philosophy created and the instructions below.
|
||||
|
||||
### ⚠️ STEP 0: READ THE TEMPLATE FIRST ⚠️
|
||||
|
||||
**CRITICAL: BEFORE writing any HTML:**
|
||||
|
||||
1. **Read** `templates/viewer.html` using the Read tool
|
||||
2. **Study** the exact structure, styling, and Anthropic branding
|
||||
3. **Use that file as the LITERAL STARTING POINT** - not just inspiration
|
||||
4. **Keep all FIXED sections exactly as shown** (header, sidebar structure, Anthropic colors/fonts, seed controls, action buttons)
|
||||
5. **Replace only the VARIABLE sections** marked in the file's comments (algorithm, parameters, UI controls for parameters)
|
||||
|
||||
**Avoid:**
|
||||
- ❌ Creating HTML from scratch
|
||||
- ❌ Inventing custom styling or color schemes
|
||||
- ❌ Using system fonts or dark themes
|
||||
- ❌ Changing the sidebar structure
|
||||
|
||||
**Follow these practices:**
|
||||
- ✅ Copy the template's exact HTML structure
|
||||
- ✅ Keep Anthropic branding (Poppins/Lora fonts, light colors, gradient backdrop)
|
||||
- ✅ Maintain the sidebar layout (Seed → Parameters → Colors? → Actions)
|
||||
- ✅ Replace only the p5.js algorithm and parameter controls
|
||||
|
||||
The template is the foundation. Build on it, don't rebuild it.
|
||||
|
||||
---
|
||||
|
||||
To create gallery-quality computational art that lives and breathes, use the algorithmic philosophy as the foundation.
|
||||
|
||||
### TECHNICAL REQUIREMENTS
|
||||
|
||||
**Seeded Randomness (Art Blocks Pattern)**:
|
||||
```javascript
|
||||
// ALWAYS use a seed for reproducibility
|
||||
let seed = 12345; // or hash from user input
|
||||
randomSeed(seed);
|
||||
noiseSeed(seed);
|
||||
```
|
||||
|
||||
**Parameter Structure - FOLLOW THE PHILOSOPHY**:
|
||||
|
||||
To establish parameters that emerge naturally from the algorithmic philosophy, consider: "What qualities of this system can be adjusted?"
|
||||
|
||||
```javascript
|
||||
let params = {
|
||||
seed: 12345, // Always include seed for reproducibility
|
||||
// colors
|
||||
// Add parameters that control YOUR algorithm:
|
||||
// - Quantities (how many?)
|
||||
// - Scales (how big? how fast?)
|
||||
// - Probabilities (how likely?)
|
||||
// - Ratios (what proportions?)
|
||||
// - Angles (what direction?)
|
||||
// - Thresholds (when does behavior change?)
|
||||
};
|
||||
```
|
||||
|
||||
**To design effective parameters, focus on the properties the system needs to be tunable rather than thinking in terms of "pattern types".**
|
||||
|
||||
**Core Algorithm - EXPRESS THE PHILOSOPHY**:
|
||||
|
||||
**CRITICAL**: The algorithmic philosophy should dictate what to build.
|
||||
|
||||
To express the philosophy through code, avoid thinking "which pattern should I use?" and instead think "how to express this philosophy through code?"
|
||||
|
||||
If the philosophy is about **organic emergence**, consider using:
|
||||
- Elements that accumulate or grow over time
|
||||
- Random processes constrained by natural rules
|
||||
- Feedback loops and interactions
|
||||
|
||||
If the philosophy is about **mathematical beauty**, consider using:
|
||||
- Geometric relationships and ratios
|
||||
- Trigonometric functions and harmonics
|
||||
- Precise calculations creating unexpected patterns
|
||||
|
||||
If the philosophy is about **controlled chaos**, consider using:
|
||||
- Random variation within strict boundaries
|
||||
- Bifurcation and phase transitions
|
||||
- Order emerging from disorder
|
||||
|
||||
**The algorithm flows from the philosophy, not from a menu of options.**
|
||||
|
||||
To guide the implementation, let the conceptual essence inform creative and original choices. Build something that expresses the vision for this particular request.
|
||||
|
||||
**Canvas Setup**: Standard p5.js structure:
|
||||
```javascript
|
||||
function setup() {
|
||||
createCanvas(1200, 1200);
|
||||
// Initialize your system
|
||||
}
|
||||
|
||||
function draw() {
|
||||
// Your generative algorithm
|
||||
// Can be static (noLoop) or animated
|
||||
}
|
||||
```
|
||||
|
||||
### CRAFTSMANSHIP REQUIREMENTS
|
||||
|
||||
**CRITICAL**: To achieve mastery, create algorithms that feel like they emerged through countless iterations by a master generative artist. Tune every parameter carefully. Ensure every pattern emerges with purpose. This is NOT random noise - this is CONTROLLED CHAOS refined through deep expertise.
|
||||
|
||||
- **Balance**: Complexity without visual noise, order without rigidity
|
||||
- **Color Harmony**: Thoughtful palettes, not random RGB values
|
||||
- **Composition**: Even in randomness, maintain visual hierarchy and flow
|
||||
- **Performance**: Smooth execution, optimized for real-time if animated
|
||||
- **Reproducibility**: Same seed ALWAYS produces identical output
|
||||
|
||||
### OUTPUT FORMAT
|
||||
|
||||
Output:
|
||||
1. **Algorithmic Philosophy** - As markdown or text explaining the generative aesthetic
|
||||
2. **Single HTML Artifact** - Self-contained interactive generative art built from `templates/viewer.html` (see STEP 0 and next section)
|
||||
|
||||
The HTML artifact contains everything: p5.js (from CDN), the algorithm, parameter controls, and UI - all in one file that works immediately in claude.ai artifacts or any browser. Start from the template file, not from scratch.
|
||||
|
||||
---
|
||||
|
||||
## INTERACTIVE ARTIFACT CREATION
|
||||
|
||||
**REMINDER: `templates/viewer.html` should have already been read (see STEP 0). Use that file as the starting point.**
|
||||
|
||||
To allow exploration of the generative art, create a single, self-contained HTML artifact. Ensure this artifact works immediately in claude.ai or any browser - no setup required. Embed everything inline.
|
||||
|
||||
### CRITICAL: WHAT'S FIXED VS VARIABLE
|
||||
|
||||
The `templates/viewer.html` file is the foundation. It contains the exact structure and styling needed.
|
||||
|
||||
**FIXED (always include exactly as shown):**
|
||||
- Layout structure (header, sidebar, main canvas area)
|
||||
- Anthropic branding (UI colors, fonts, gradients)
|
||||
- Seed section in sidebar:
|
||||
- Seed display
|
||||
- Previous/Next buttons
|
||||
- Random button
|
||||
- Jump to seed input + Go button
|
||||
- Actions section in sidebar:
|
||||
- Regenerate button
|
||||
- Reset button
|
||||
|
||||
**VARIABLE (customize for each artwork):**
|
||||
- The entire p5.js algorithm (setup/draw/classes)
|
||||
- The parameters object (define what the art needs)
|
||||
- The Parameters section in sidebar:
|
||||
- Number of parameter controls
|
||||
- Parameter names
|
||||
- Min/max/step values for sliders
|
||||
- Control types (sliders, inputs, etc.)
|
||||
- Colors section (optional):
|
||||
- Some art needs color pickers
|
||||
- Some art might use fixed colors
|
||||
- Some art might be monochrome (no color controls needed)
|
||||
- Decide based on the art's needs
|
||||
|
||||
**Every artwork should have unique parameters and algorithm!** The fixed parts provide consistent UX - everything else expresses the unique vision.
|
||||
|
||||
### REQUIRED FEATURES
|
||||
|
||||
**1. Parameter Controls**
|
||||
- Sliders for numeric parameters (particle count, noise scale, speed, etc.)
|
||||
- Color pickers for palette colors
|
||||
- Real-time updates when parameters change
|
||||
- Reset button to restore defaults
|
||||
|
||||
**2. Seed Navigation**
|
||||
- Display current seed number
|
||||
- "Previous" and "Next" buttons to cycle through seeds
|
||||
- "Random" button for random seed
|
||||
- Input field to jump to specific seed
|
||||
- Generate 100 variations when requested (seeds 1-100)
|
||||
|
||||
**3. Single Artifact Structure**
|
||||
```html
|
||||
<!DOCTYPE html>
|
||||
<html>
|
||||
<head>
|
||||
<!-- p5.js from CDN - always available -->
|
||||
<script src="https://cdnjs.cloudflare.com/ajax/libs/p5.js/1.7.0/p5.min.js"></script>
|
||||
<style>
|
||||
/* All styling inline - clean, minimal */
|
||||
/* Canvas on top, controls below */
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<div id="canvas-container"></div>
|
||||
<div id="controls">
|
||||
<!-- All parameter controls -->
|
||||
</div>
|
||||
<script>
|
||||
// ALL p5.js code inline here
|
||||
// Parameter objects, classes, functions
|
||||
// setup() and draw()
|
||||
// UI handlers
|
||||
// Everything self-contained
|
||||
</script>
|
||||
</body>
|
||||
</html>
|
||||
```
|
||||
|
||||
**CRITICAL**: This is a single artifact. No external files, no imports (except p5.js CDN). Everything inline.
|
||||
|
||||
**4. Implementation Details - BUILD THE SIDEBAR**
|
||||
|
||||
The sidebar structure:
|
||||
|
||||
**1. Seed (FIXED)** - Always include exactly as shown:
|
||||
- Seed display
|
||||
- Prev/Next/Random/Jump buttons
|
||||
|
||||
**2. Parameters (VARIABLE)** - Create controls for the art:
|
||||
```html
|
||||
<div class="control-group">
|
||||
<label>Parameter Name</label>
|
||||
<input type="range" id="param" min="..." max="..." step="..." value="..." oninput="updateParam('param', this.value)">
|
||||
<span class="value-display" id="param-value">...</span>
|
||||
</div>
|
||||
```
|
||||
Add as many control-group divs as there are parameters.
|
||||
|
||||
**3. Colors (OPTIONAL/VARIABLE)** - Include if the art needs adjustable colors:
|
||||
- Add color pickers if users should control palette
|
||||
- Skip this section if the art uses fixed colors
|
||||
- Skip if the art is monochrome
|
||||
|
||||
**4. Actions (FIXED)** - Always include exactly as shown:
|
||||
- Regenerate button
|
||||
- Reset button
|
||||
- Download PNG button
|
||||
|
||||
**Requirements**:
|
||||
- Seed controls must work (prev/next/random/jump/display)
|
||||
- All parameters must have UI controls
|
||||
- Regenerate, Reset, Download buttons must work
|
||||
- Keep Anthropic branding (UI styling, not art colors)
|
||||
|
||||
### USING THE ARTIFACT
|
||||
|
||||
The HTML artifact works immediately:
|
||||
1. **In claude.ai**: Displayed as an interactive artifact - runs instantly
|
||||
2. **As a file**: Save and open in any browser - no server needed
|
||||
3. **Sharing**: Send the HTML file - it's completely self-contained
|
||||
|
||||
---
|
||||
|
||||
## VARIATIONS & EXPLORATION
|
||||
|
||||
The artifact includes seed navigation by default (prev/next/random buttons), allowing users to explore variations without creating multiple files. If the user wants specific variations highlighted:
|
||||
|
||||
- Include seed presets (buttons for "Variation 1: Seed 42", "Variation 2: Seed 127", etc.)
|
||||
- Add a "Gallery Mode" that shows thumbnails of multiple seeds side-by-side
|
||||
- All within the same single artifact
|
||||
|
||||
This is like creating a series of prints from the same plate - the algorithm is consistent, but each seed reveals different facets of its potential. The interactive nature means users discover their own favorites by exploring the seed space.
|
||||
|
||||
---
|
||||
|
||||
## THE CREATIVE PROCESS
|
||||
|
||||
**User request** → **Algorithmic philosophy** → **Implementation**
|
||||
|
||||
Each request is unique. The process involves:
|
||||
|
||||
1. **Interpret the user's intent** - What aesthetic is being sought?
|
||||
2. **Create an algorithmic philosophy** (4-6 paragraphs) describing the computational approach
|
||||
3. **Implement it in code** - Build the algorithm that expresses this philosophy
|
||||
4. **Design appropriate parameters** - What should be tunable?
|
||||
5. **Build matching UI controls** - Sliders/inputs for those parameters
|
||||
|
||||
**The constants**:
|
||||
- Anthropic branding (colors, fonts, layout)
|
||||
- Seed navigation (always present)
|
||||
- Self-contained HTML artifact
|
||||
|
||||
**Everything else is variable**:
|
||||
- The algorithm itself
|
||||
- The parameters
|
||||
- The UI controls
|
||||
- The visual outcome
|
||||
|
||||
To achieve the best results, trust creativity and let the philosophy guide the implementation.
|
||||
|
||||
---
|
||||
|
||||
## RESOURCES
|
||||
|
||||
This skill includes helpful templates and documentation:
|
||||
|
||||
- **templates/viewer.html**: REQUIRED STARTING POINT for all HTML artifacts.
|
||||
- This is the foundation - contains the exact structure and Anthropic branding
|
||||
- **Keep unchanged**: Layout structure, sidebar organization, Anthropic colors/fonts, seed controls, action buttons
|
||||
- **Replace**: The p5.js algorithm, parameter definitions, and UI controls in Parameters section
|
||||
- The extensive comments in the file mark exactly what to keep vs replace
|
||||
|
||||
- **templates/generator_template.js**: Reference for p5.js best practices and code structure principles.
|
||||
- Shows how to organize parameters, use seeded randomness, structure classes
|
||||
- NOT a pattern menu - use these principles to build unique algorithms
|
||||
- Embed algorithms inline in the HTML artifact (don't create separate .js files)
|
||||
|
||||
**Critical reminder**:
|
||||
- The **template is the STARTING POINT**, not inspiration
|
||||
- The **algorithm is where to create** something unique
|
||||
- Don't copy the flow field example - build what the philosophy demands
|
||||
- But DO keep the exact UI structure and Anthropic branding from the template
|
||||
@@ -0,0 +1,223 @@
|
||||
/**
|
||||
* ═══════════════════════════════════════════════════════════════════════════
|
||||
* P5.JS GENERATIVE ART - BEST PRACTICES
|
||||
* ═══════════════════════════════════════════════════════════════════════════
|
||||
*
|
||||
* This file shows STRUCTURE and PRINCIPLES for p5.js generative art.
|
||||
* It does NOT prescribe what art you should create.
|
||||
*
|
||||
* Your algorithmic philosophy should guide what you build.
|
||||
* These are just best practices for how to structure your code.
|
||||
*
|
||||
* ═══════════════════════════════════════════════════════════════════════════
|
||||
*/
|
||||
|
||||
// ============================================================================
|
||||
// 1. PARAMETER ORGANIZATION
|
||||
// ============================================================================
|
||||
// Keep all tunable parameters in one object
|
||||
// This makes it easy to:
|
||||
// - Connect to UI controls
|
||||
// - Reset to defaults
|
||||
// - Serialize/save configurations
|
||||
|
||||
let params = {
|
||||
// Define parameters that match YOUR algorithm
|
||||
// Examples (customize for your art):
|
||||
// - Counts: how many elements (particles, circles, branches, etc.)
|
||||
// - Scales: size, speed, spacing
|
||||
// - Probabilities: likelihood of events
|
||||
// - Angles: rotation, direction
|
||||
// - Colors: palette arrays
|
||||
|
||||
seed: 12345,
|
||||
// define colorPalette as an array -- choose whatever colors you'd like ['#d97757', '#6a9bcc', '#788c5d', '#b0aea5']
|
||||
// Add YOUR parameters here based on your algorithm
|
||||
};
|
||||
|
||||
// ============================================================================
|
||||
// 2. SEEDED RANDOMNESS (Critical for reproducibility)
|
||||
// ============================================================================
|
||||
// ALWAYS use seeded random for Art Blocks-style reproducible output
|
||||
|
||||
function initializeSeed(seed) {
|
||||
randomSeed(seed);
|
||||
noiseSeed(seed);
|
||||
// Now all random() and noise() calls will be deterministic
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// 3. P5.JS LIFECYCLE
|
||||
// ============================================================================
|
||||
|
||||
function setup() {
|
||||
createCanvas(800, 800);
|
||||
|
||||
// Initialize seed first
|
||||
initializeSeed(params.seed);
|
||||
|
||||
// Set up your generative system
|
||||
// This is where you initialize:
|
||||
// - Arrays of objects
|
||||
// - Grid structures
|
||||
// - Initial positions
|
||||
// - Starting states
|
||||
|
||||
// For static art: call noLoop() at the end of setup
|
||||
// For animated art: let draw() keep running
|
||||
}
|
||||
|
||||
function draw() {
|
||||
// Option 1: Static generation (runs once, then stops)
|
||||
// - Generate everything in setup()
|
||||
// - Call noLoop() in setup()
|
||||
// - draw() doesn't do much or can be empty
|
||||
|
||||
// Option 2: Animated generation (continuous)
|
||||
// - Update your system each frame
|
||||
// - Common patterns: particle movement, growth, evolution
|
||||
// - Can optionally call noLoop() after N frames
|
||||
|
||||
// Option 3: User-triggered regeneration
|
||||
// - Use noLoop() by default
|
||||
// - Call redraw() when parameters change
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// 4. CLASS STRUCTURE (When you need objects)
|
||||
// ============================================================================
|
||||
// Use classes when your algorithm involves multiple entities
|
||||
// Examples: particles, agents, cells, nodes, etc.
|
||||
|
||||
class Entity {
|
||||
constructor() {
|
||||
// Initialize entity properties
|
||||
// Use random() here - it will be seeded
|
||||
}
|
||||
|
||||
update() {
|
||||
// Update entity state
|
||||
// This might involve:
|
||||
// - Physics calculations
|
||||
// - Behavioral rules
|
||||
// - Interactions with neighbors
|
||||
}
|
||||
|
||||
display() {
|
||||
// Render the entity
|
||||
// Keep rendering logic separate from update logic
|
||||
}
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// 5. PERFORMANCE CONSIDERATIONS
|
||||
// ============================================================================
|
||||
|
||||
// For large numbers of elements:
|
||||
// - Pre-calculate what you can
|
||||
// - Use simple collision detection (spatial hashing if needed)
|
||||
// - Limit expensive operations (sqrt, trig) when possible
|
||||
// - Consider using p5 vectors efficiently
|
||||
|
||||
// For smooth animation:
|
||||
// - Aim for 60fps
|
||||
// - Profile if things are slow
|
||||
// - Consider reducing particle counts or simplifying calculations
|
||||
|
||||
// ============================================================================
|
||||
// 6. UTILITY FUNCTIONS
|
||||
// ============================================================================
|
||||
|
||||
// Color utilities
|
||||
function hexToRgb(hex) {
|
||||
const result = /^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(hex);
|
||||
return result ? {
|
||||
r: parseInt(result[1], 16),
|
||||
g: parseInt(result[2], 16),
|
||||
b: parseInt(result[3], 16)
|
||||
} : null;
|
||||
}
|
||||
|
||||
function colorFromPalette(index) {
|
||||
return params.colorPalette[index % params.colorPalette.length];
|
||||
}
|
||||
|
||||
// Mapping and easing
|
||||
function mapRange(value, inMin, inMax, outMin, outMax) {
|
||||
return outMin + (outMax - outMin) * ((value - inMin) / (inMax - inMin));
|
||||
}
|
||||
|
||||
function easeInOutCubic(t) {
|
||||
return t < 0.5 ? 4 * t * t * t : 1 - Math.pow(-2 * t + 2, 3) / 2;
|
||||
}
|
||||
|
||||
// Constrain to bounds
|
||||
function wrapAround(value, max) {
|
||||
if (value < 0) return max;
|
||||
if (value > max) return 0;
|
||||
return value;
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// 7. PARAMETER UPDATES (Connect to UI)
|
||||
// ============================================================================
|
||||
|
||||
function updateParameter(paramName, value) {
|
||||
params[paramName] = value;
|
||||
// Decide if you need to regenerate or just update
|
||||
// Some params can update in real-time, others need full regeneration
|
||||
}
|
||||
|
||||
function regenerate() {
|
||||
// Reinitialize your generative system
|
||||
// Useful when parameters change significantly
|
||||
initializeSeed(params.seed);
|
||||
// Then regenerate your system
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// 8. COMMON P5.JS PATTERNS
|
||||
// ============================================================================
|
||||
|
||||
// Drawing with transparency for trails/fading
|
||||
function fadeBackground(opacity) {
|
||||
fill(250, 249, 245, opacity); // Anthropic light with alpha
|
||||
noStroke();
|
||||
rect(0, 0, width, height);
|
||||
}
|
||||
|
||||
// Using noise for organic variation
|
||||
function getNoiseValue(x, y, scale = 0.01) {
|
||||
return noise(x * scale, y * scale);
|
||||
}
|
||||
|
||||
// Creating vectors from angles
|
||||
function vectorFromAngle(angle, magnitude = 1) {
|
||||
return createVector(cos(angle), sin(angle)).mult(magnitude);
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// 9. EXPORT FUNCTIONS
|
||||
// ============================================================================
|
||||
|
||||
function exportImage() {
|
||||
saveCanvas('generative-art-' + params.seed, 'png');
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// REMEMBER
|
||||
// ============================================================================
|
||||
//
|
||||
// These are TOOLS and PRINCIPLES, not a recipe.
|
||||
// Your algorithmic philosophy should guide WHAT you create.
|
||||
// This structure helps you create it WELL.
|
||||
//
|
||||
// Focus on:
|
||||
// - Clean, readable code
|
||||
// - Parameterized for exploration
|
||||
// - Seeded for reproducibility
|
||||
// - Performant execution
|
||||
//
|
||||
// The art itself is entirely up to you!
|
||||
//
|
||||
// ============================================================================
|
||||
@@ -0,0 +1,599 @@
|
||||
<!DOCTYPE html>
|
||||
<!--
|
||||
THIS IS A TEMPLATE THAT SHOULD BE USED EVERY TIME AND MODIFIED.
|
||||
WHAT TO KEEP:
|
||||
✓ Overall structure (header, sidebar, main content)
|
||||
✓ Anthropic branding (colors, fonts, layout)
|
||||
✓ Seed navigation section (always include this)
|
||||
✓ Self-contained artifact (everything inline)
|
||||
|
||||
WHAT TO CREATIVELY EDIT:
|
||||
✗ The p5.js algorithm (implement YOUR vision)
|
||||
✗ The parameters (define what YOUR art needs)
|
||||
✗ The UI controls (match YOUR parameters)
|
||||
|
||||
Let your philosophy guide the implementation.
|
||||
The world is your oyster - be creative!
|
||||
-->
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<title>Generative Art Viewer</title>
|
||||
<script src="https://cdnjs.cloudflare.com/ajax/libs/p5.js/1.7.0/p5.min.js"></script>
|
||||
<link rel="preconnect" href="https://fonts.googleapis.com">
|
||||
<link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
|
||||
<link href="https://fonts.googleapis.com/css2?family=Poppins:wght@400;500;600&family=Lora:wght@400;500&display=swap" rel="stylesheet">
|
||||
<style>
|
||||
/* Anthropic Brand Colors */
|
||||
:root {
|
||||
--anthropic-dark: #141413;
|
||||
--anthropic-light: #faf9f5;
|
||||
--anthropic-mid-gray: #b0aea5;
|
||||
--anthropic-light-gray: #e8e6dc;
|
||||
--anthropic-orange: #d97757;
|
||||
--anthropic-blue: #6a9bcc;
|
||||
--anthropic-green: #788c5d;
|
||||
}
|
||||
|
||||
* {
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
box-sizing: border-box;
|
||||
}
|
||||
|
||||
body {
|
||||
font-family: 'Poppins', sans-serif;
|
||||
background: linear-gradient(135deg, var(--anthropic-light) 0%, #f5f3ee 100%);
|
||||
min-height: 100vh;
|
||||
color: var(--anthropic-dark);
|
||||
}
|
||||
|
||||
.container {
|
||||
display: flex;
|
||||
min-height: 100vh;
|
||||
padding: 20px;
|
||||
gap: 20px;
|
||||
}
|
||||
|
||||
/* Sidebar */
|
||||
.sidebar {
|
||||
width: 320px;
|
||||
flex-shrink: 0;
|
||||
background: rgba(255, 255, 255, 0.95);
|
||||
backdrop-filter: blur(10px);
|
||||
padding: 24px;
|
||||
border-radius: 12px;
|
||||
box-shadow: 0 10px 30px rgba(20, 20, 19, 0.1);
|
||||
overflow-y: auto;
|
||||
overflow-x: hidden;
|
||||
}
|
||||
|
||||
.sidebar h1 {
|
||||
font-family: 'Lora', serif;
|
||||
font-size: 24px;
|
||||
font-weight: 500;
|
||||
color: var(--anthropic-dark);
|
||||
margin-bottom: 8px;
|
||||
}
|
||||
|
||||
.sidebar .subtitle {
|
||||
color: var(--anthropic-mid-gray);
|
||||
font-size: 14px;
|
||||
margin-bottom: 32px;
|
||||
line-height: 1.4;
|
||||
}
|
||||
|
||||
/* Control Sections */
|
||||
.control-section {
|
||||
margin-bottom: 32px;
|
||||
}
|
||||
|
||||
.control-section h3 {
|
||||
font-size: 16px;
|
||||
font-weight: 600;
|
||||
color: var(--anthropic-dark);
|
||||
margin-bottom: 16px;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 8px;
|
||||
}
|
||||
|
||||
.control-section h3::before {
|
||||
content: '•';
|
||||
color: var(--anthropic-orange);
|
||||
font-weight: bold;
|
||||
}
|
||||
|
||||
/* Seed Controls */
|
||||
.seed-input {
|
||||
width: 100%;
|
||||
background: var(--anthropic-light);
|
||||
padding: 12px;
|
||||
border-radius: 8px;
|
||||
font-family: 'Courier New', monospace;
|
||||
font-size: 14px;
|
||||
margin-bottom: 12px;
|
||||
border: 1px solid var(--anthropic-light-gray);
|
||||
text-align: center;
|
||||
}
|
||||
|
||||
.seed-input:focus {
|
||||
outline: none;
|
||||
border-color: var(--anthropic-orange);
|
||||
box-shadow: 0 0 0 2px rgba(217, 119, 87, 0.1);
|
||||
background: white;
|
||||
}
|
||||
|
||||
.seed-controls {
|
||||
display: grid;
|
||||
grid-template-columns: 1fr 1fr;
|
||||
gap: 8px;
|
||||
margin-bottom: 8px;
|
||||
}
|
||||
|
||||
.regen-button {
|
||||
margin-bottom: 0;
|
||||
}
|
||||
|
||||
/* Parameter Controls */
|
||||
.control-group {
|
||||
margin-bottom: 20px;
|
||||
}
|
||||
|
||||
.control-group label {
|
||||
display: block;
|
||||
font-size: 14px;
|
||||
font-weight: 500;
|
||||
color: var(--anthropic-dark);
|
||||
margin-bottom: 8px;
|
||||
}
|
||||
|
||||
.slider-container {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 12px;
|
||||
}
|
||||
|
||||
.slider-container input[type="range"] {
|
||||
flex: 1;
|
||||
height: 4px;
|
||||
background: var(--anthropic-light-gray);
|
||||
border-radius: 2px;
|
||||
outline: none;
|
||||
-webkit-appearance: none;
|
||||
}
|
||||
|
||||
.slider-container input[type="range"]::-webkit-slider-thumb {
|
||||
-webkit-appearance: none;
|
||||
width: 16px;
|
||||
height: 16px;
|
||||
background: var(--anthropic-orange);
|
||||
border-radius: 50%;
|
||||
cursor: pointer;
|
||||
transition: all 0.2s ease;
|
||||
}
|
||||
|
||||
.slider-container input[type="range"]::-webkit-slider-thumb:hover {
|
||||
transform: scale(1.1);
|
||||
background: #c86641;
|
||||
}
|
||||
|
||||
.slider-container input[type="range"]::-moz-range-thumb {
|
||||
width: 16px;
|
||||
height: 16px;
|
||||
background: var(--anthropic-orange);
|
||||
border-radius: 50%;
|
||||
border: none;
|
||||
cursor: pointer;
|
||||
transition: all 0.2s ease;
|
||||
}
|
||||
|
||||
.value-display {
|
||||
font-family: 'Courier New', monospace;
|
||||
font-size: 12px;
|
||||
color: var(--anthropic-mid-gray);
|
||||
min-width: 60px;
|
||||
text-align: right;
|
||||
}
|
||||
|
||||
/* Color Pickers */
|
||||
.color-group {
|
||||
margin-bottom: 16px;
|
||||
}
|
||||
|
||||
.color-group label {
|
||||
display: block;
|
||||
font-size: 12px;
|
||||
color: var(--anthropic-mid-gray);
|
||||
margin-bottom: 4px;
|
||||
}
|
||||
|
||||
.color-picker-container {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
gap: 8px;
|
||||
}
|
||||
|
||||
.color-picker-container input[type="color"] {
|
||||
width: 32px;
|
||||
height: 32px;
|
||||
border: none;
|
||||
border-radius: 6px;
|
||||
cursor: pointer;
|
||||
background: none;
|
||||
padding: 0;
|
||||
}
|
||||
|
||||
.color-value {
|
||||
font-family: 'Courier New', monospace;
|
||||
font-size: 12px;
|
||||
color: var(--anthropic-mid-gray);
|
||||
}
|
||||
|
||||
/* Buttons */
|
||||
.button {
|
||||
background: var(--anthropic-orange);
|
||||
color: white;
|
||||
border: none;
|
||||
padding: 10px 16px;
|
||||
border-radius: 6px;
|
||||
font-size: 14px;
|
||||
font-weight: 500;
|
||||
cursor: pointer;
|
||||
transition: all 0.2s ease;
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
.button:hover {
|
||||
background: #c86641;
|
||||
transform: translateY(-1px);
|
||||
}
|
||||
|
||||
.button:active {
|
||||
transform: translateY(0);
|
||||
}
|
||||
|
||||
.button.secondary {
|
||||
background: var(--anthropic-blue);
|
||||
}
|
||||
|
||||
.button.secondary:hover {
|
||||
background: #5a8bb8;
|
||||
}
|
||||
|
||||
.button.tertiary {
|
||||
background: var(--anthropic-green);
|
||||
}
|
||||
|
||||
.button.tertiary:hover {
|
||||
background: #6b7b52;
|
||||
}
|
||||
|
||||
.button-row {
|
||||
display: flex;
|
||||
gap: 8px;
|
||||
}
|
||||
|
||||
.button-row .button {
|
||||
flex: 1;
|
||||
}
|
||||
|
||||
/* Canvas Area */
|
||||
.canvas-area {
|
||||
flex: 1;
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
min-width: 0;
|
||||
}
|
||||
|
||||
#canvas-container {
|
||||
width: 100%;
|
||||
max-width: 1000px;
|
||||
border-radius: 12px;
|
||||
overflow: hidden;
|
||||
box-shadow: 0 20px 40px rgba(20, 20, 19, 0.1);
|
||||
background: white;
|
||||
}
|
||||
|
||||
#canvas-container canvas {
|
||||
display: block;
|
||||
width: 100% !important;
|
||||
height: auto !important;
|
||||
}
|
||||
|
||||
/* Loading State */
|
||||
.loading {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
font-size: 18px;
|
||||
color: var(--anthropic-mid-gray);
|
||||
}
|
||||
|
||||
/* Responsive - Stack on mobile */
|
||||
@media (max-width: 600px) {
|
||||
.container {
|
||||
flex-direction: column;
|
||||
}
|
||||
|
||||
.sidebar {
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
.canvas-area {
|
||||
padding: 20px;
|
||||
}
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<div class="container">
|
||||
<!-- Control Sidebar -->
|
||||
<div class="sidebar">
|
||||
<!-- Headers (CUSTOMIZE THIS FOR YOUR ART) -->
|
||||
<h1>TITLE - EDIT</h1>
|
||||
<div class="subtitle">SUBHEADER - EDIT</div>
|
||||
|
||||
<!-- Seed Section (ALWAYS KEEP THIS) -->
|
||||
<div class="control-section">
|
||||
<h3>Seed</h3>
|
||||
<input type="number" id="seed-input" class="seed-input" value="12345" onchange="updateSeed()">
|
||||
<div class="seed-controls">
|
||||
<button class="button secondary" onclick="previousSeed()">← Prev</button>
|
||||
<button class="button secondary" onclick="nextSeed()">Next →</button>
|
||||
</div>
|
||||
<button class="button tertiary regen-button" onclick="randomSeedAndUpdate()">↻ Random</button>
|
||||
</div>
|
||||
|
||||
<!-- Parameters Section (CUSTOMIZE THIS FOR YOUR ART) -->
|
||||
<div class="control-section">
|
||||
<h3>Parameters</h3>
|
||||
|
||||
<!-- Particle Count -->
|
||||
<div class="control-group">
|
||||
<label>Particle Count</label>
|
||||
<div class="slider-container">
|
||||
<input type="range" id="particleCount" min="1000" max="10000" step="500" value="5000" oninput="updateParam('particleCount', this.value)">
|
||||
<span class="value-display" id="particleCount-value">5000</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Flow Speed -->
|
||||
<div class="control-group">
|
||||
<label>Flow Speed</label>
|
||||
<div class="slider-container">
|
||||
<input type="range" id="flowSpeed" min="0.1" max="2.0" step="0.1" value="0.5" oninput="updateParam('flowSpeed', this.value)">
|
||||
<span class="value-display" id="flowSpeed-value">0.5</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Noise Scale -->
|
||||
<div class="control-group">
|
||||
<label>Noise Scale</label>
|
||||
<div class="slider-container">
|
||||
<input type="range" id="noiseScale" min="0.001" max="0.02" step="0.001" value="0.005" oninput="updateParam('noiseScale', this.value)">
|
||||
<span class="value-display" id="noiseScale-value">0.005</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Trail Length -->
|
||||
<div class="control-group">
|
||||
<label>Trail Length</label>
|
||||
<div class="slider-container">
|
||||
<input type="range" id="trailLength" min="2" max="20" step="1" value="8" oninput="updateParam('trailLength', this.value)">
|
||||
<span class="value-display" id="trailLength-value">8</span>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Colors Section (OPTIONAL - CUSTOMIZE OR REMOVE) -->
|
||||
<div class="control-section">
|
||||
<h3>Colors</h3>
|
||||
|
||||
<!-- Color 1 -->
|
||||
<div class="color-group">
|
||||
<label>Primary Color</label>
|
||||
<div class="color-picker-container">
|
||||
<input type="color" id="color1" value="#d97757" onchange="updateColor('color1', this.value)">
|
||||
<span class="color-value" id="color1-value">#d97757</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Color 2 -->
|
||||
<div class="color-group">
|
||||
<label>Secondary Color</label>
|
||||
<div class="color-picker-container">
|
||||
<input type="color" id="color2" value="#6a9bcc" onchange="updateColor('color2', this.value)">
|
||||
<span class="color-value" id="color2-value">#6a9bcc</span>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Color 3 -->
|
||||
<div class="color-group">
|
||||
<label>Accent Color</label>
|
||||
<div class="color-picker-container">
|
||||
<input type="color" id="color3" value="#788c5d" onchange="updateColor('color3', this.value)">
|
||||
<span class="color-value" id="color3-value">#788c5d</span>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Actions Section (ALWAYS KEEP THIS) -->
|
||||
<div class="control-section">
|
||||
<h3>Actions</h3>
|
||||
<div class="button-row">
|
||||
<button class="button" onclick="resetParameters()">Reset</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<!-- Main Canvas Area -->
|
||||
<div class="canvas-area">
|
||||
<div id="canvas-container">
|
||||
<div class="loading">Initializing generative art...</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<script>
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
// GENERATIVE ART PARAMETERS - CUSTOMIZE FOR YOUR ALGORITHM
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
|
||||
let params = {
|
||||
seed: 12345,
|
||||
particleCount: 5000,
|
||||
flowSpeed: 0.5,
|
||||
noiseScale: 0.005,
|
||||
trailLength: 8,
|
||||
colorPalette: ['#d97757', '#6a9bcc', '#788c5d']
|
||||
};
|
||||
|
||||
let defaultParams = {...params}; // Store defaults for reset
|
||||
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
// P5.JS GENERATIVE ART ALGORITHM - REPLACE WITH YOUR VISION
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
|
||||
let particles = [];
|
||||
let flowField = [];
|
||||
let cols, rows;
|
||||
let scl = 10; // Flow field resolution
|
||||
|
||||
function setup() {
|
||||
let canvas = createCanvas(1200, 1200);
|
||||
canvas.parent('canvas-container');
|
||||
|
||||
initializeSystem();
|
||||
|
||||
// Remove loading message
|
||||
document.querySelector('.loading').style.display = 'none';
|
||||
}
|
||||
|
||||
function initializeSystem() {
|
||||
// Seed the randomness for reproducibility
|
||||
randomSeed(params.seed);
|
||||
noiseSeed(params.seed);
|
||||
|
||||
// Clear particles and recreate
|
||||
particles = [];
|
||||
|
||||
// Initialize particles
|
||||
for (let i = 0; i < params.particleCount; i++) {
|
||||
particles.push(new Particle());
|
||||
}
|
||||
|
||||
// Calculate flow field dimensions
|
||||
cols = floor(width / scl);
|
||||
rows = floor(height / scl);
|
||||
|
||||
// Generate flow field
|
||||
generateFlowField();
|
||||
|
||||
// Clear background
|
||||
background(250, 249, 245); // Anthropic light background
|
||||
}
|
||||
|
||||
function generateFlowField() {
|
||||
// fill this in
|
||||
}
|
||||
|
||||
function draw() {
|
||||
// fill this in
|
||||
}
|
||||
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
// PARTICLE SYSTEM - CUSTOMIZE FOR YOUR ALGORITHM
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
|
||||
class Particle {
|
||||
constructor() {
|
||||
// fill this in
|
||||
}
|
||||
// fill this in
|
||||
}
|
||||
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
// UI CONTROL HANDLERS - CUSTOMIZE FOR YOUR PARAMETERS
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
|
||||
function updateParam(paramName, value) {
|
||||
// fill this in
|
||||
}
|
||||
|
||||
function updateColor(colorId, value) {
|
||||
// fill this in
|
||||
}
|
||||
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
// SEED CONTROL FUNCTIONS - ALWAYS KEEP THESE
|
||||
// ═══════════════════════════════════════════════════════════════════════
|
||||
|
||||
function updateSeedDisplay() {
|
||||
document.getElementById('seed-input').value = params.seed;
|
||||
}
|
||||
|
||||
function updateSeed() {
|
||||
let input = document.getElementById('seed-input');
|
||||
let newSeed = parseInt(input.value);
|
||||
if (newSeed && newSeed > 0) {
|
||||
params.seed = newSeed;
|
||||
initializeSystem();
|
||||
} else {
|
||||
// Reset to current seed if invalid
|
||||
updateSeedDisplay();
|
||||
}
|
||||
}
|
||||
|
||||
function previousSeed() {
|
||||
params.seed = Math.max(1, params.seed - 1);
|
||||
updateSeedDisplay();
|
||||
initializeSystem();
|
||||
}
|
||||
|
||||
function nextSeed() {
|
||||
params.seed = params.seed + 1;
|
||||
updateSeedDisplay();
|
||||
initializeSystem();
|
||||
}
|
||||
|
||||
function randomSeedAndUpdate() {
|
||||
params.seed = Math.floor(Math.random() * 999999) + 1;
|
||||
updateSeedDisplay();
|
||||
initializeSystem();
|
||||
}
|
||||
|
||||
function resetParameters() {
|
||||
params = {...defaultParams};
|
||||
|
||||
// Update UI elements
|
||||
document.getElementById('particleCount').value = params.particleCount;
|
||||
document.getElementById('particleCount-value').textContent = params.particleCount;
|
||||
document.getElementById('flowSpeed').value = params.flowSpeed;
|
||||
document.getElementById('flowSpeed-value').textContent = params.flowSpeed;
|
||||
document.getElementById('noiseScale').value = params.noiseScale;
|
||||
document.getElementById('noiseScale-value').textContent = params.noiseScale;
|
||||
document.getElementById('trailLength').value = params.trailLength;
|
||||
document.getElementById('trailLength-value').textContent = params.trailLength;
|
||||
|
||||
// Reset colors
|
||||
document.getElementById('color1').value = params.colorPalette[0];
|
||||
document.getElementById('color1-value').textContent = params.colorPalette[0];
|
||||
document.getElementById('color2').value = params.colorPalette[1];
|
||||
document.getElementById('color2-value').textContent = params.colorPalette[1];
|
||||
document.getElementById('color3').value = params.colorPalette[2];
|
||||
document.getElementById('color3-value').textContent = params.colorPalette[2];
|
||||
|
||||
updateSeedDisplay();
|
||||
initializeSystem();
|
||||
}
|
||||
|
||||
// Initialize UI on load
|
||||
window.addEventListener('load', function() {
|
||||
updateSeedDisplay();
|
||||
});
|
||||
</script>
|
||||
</body>
|
||||
</html>
|
||||
202
claude-skills-examples/skills-main/artifacts-builder/LICENSE.txt
Normal file
202
claude-skills-examples/skills-main/artifacts-builder/LICENSE.txt
Normal file
@@ -0,0 +1,202 @@
|
||||
|
||||
Apache License
|
||||
Version 2.0, January 2004
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction,
|
||||
and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by
|
||||
the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all
|
||||
other entities that control, are controlled by, or are under common
|
||||
control with that entity. For the purposes of this definition,
|
||||
"control" means (i) the power, direct or indirect, to cause the
|
||||
direction or management of such entity, whether by contract or
|
||||
otherwise, or (ii) ownership of fifty percent (50%) or more of the
|
||||
outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity
|
||||
exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications,
|
||||
including but not limited to software source code, documentation
|
||||
source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical
|
||||
transformation or translation of a Source form, including but
|
||||
not limited to compiled object code, generated documentation,
|
||||
and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or
|
||||
Object form, made available under the License, as indicated by a
|
||||
copyright notice that is included in or attached to the work
|
||||
(an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object
|
||||
form, that is based on (or derived from) the Work and for which the
|
||||
editorial revisions, annotations, elaborations, or other modifications
|
||||
represent, as a whole, an original work of authorship. For the purposes
|
||||
of this License, Derivative Works shall not include works that remain
|
||||
separable from, or merely link (or bind by name) to the interfaces of,
|
||||
the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including
|
||||
the original version of the Work and any modifications or additions
|
||||
to that Work or Derivative Works thereof, that is intentionally
|
||||
submitted to Licensor for inclusion in the Work by the copyright owner
|
||||
or by an individual or Legal Entity authorized to submit on behalf of
|
||||
the copyright owner. For the purposes of this definition, "submitted"
|
||||
means any form of electronic, verbal, or written communication sent
|
||||
to the Licensor or its representatives, including but not limited to
|
||||
communication on electronic mailing lists, source code control systems,
|
||||
and issue tracking systems that are managed by, or on behalf of, the
|
||||
Licensor for the purpose of discussing and improving the Work, but
|
||||
excluding communication that is conspicuously marked or otherwise
|
||||
designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity
|
||||
on behalf of whom a Contribution has been received by Licensor and
|
||||
subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
copyright license to reproduce, prepare Derivative Works of,
|
||||
publicly display, publicly perform, sublicense, and distribute the
|
||||
Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
(except as stated in this section) patent license to make, have made,
|
||||
use, offer to sell, sell, import, and otherwise transfer the Work,
|
||||
where such license applies only to those patent claims licensable
|
||||
by such Contributor that are necessarily infringed by their
|
||||
Contribution(s) alone or by combination of their Contribution(s)
|
||||
with the Work to which such Contribution(s) was submitted. If You
|
||||
institute patent litigation against any entity (including a
|
||||
cross-claim or counterclaim in a lawsuit) alleging that the Work
|
||||
or a Contribution incorporated within the Work constitutes direct
|
||||
or contributory patent infringement, then any patent licenses
|
||||
granted to You under this License for that Work shall terminate
|
||||
as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the
|
||||
Work or Derivative Works thereof in any medium, with or without
|
||||
modifications, and in Source or Object form, provided that You
|
||||
meet the following conditions:
|
||||
|
||||
(a) You must give any other recipients of the Work or
|
||||
Derivative Works a copy of this License; and
|
||||
|
||||
(b) You must cause any modified files to carry prominent notices
|
||||
stating that You changed the files; and
|
||||
|
||||
(c) You must retain, in the Source form of any Derivative Works
|
||||
that You distribute, all copyright, patent, trademark, and
|
||||
attribution notices from the Source form of the Work,
|
||||
excluding those notices that do not pertain to any part of
|
||||
the Derivative Works; and
|
||||
|
||||
(d) If the Work includes a "NOTICE" text file as part of its
|
||||
distribution, then any Derivative Works that You distribute must
|
||||
include a readable copy of the attribution notices contained
|
||||
within such NOTICE file, excluding those notices that do not
|
||||
pertain to any part of the Derivative Works, in at least one
|
||||
of the following places: within a NOTICE text file distributed
|
||||
as part of the Derivative Works; within the Source form or
|
||||
documentation, if provided along with the Derivative Works; or,
|
||||
within a display generated by the Derivative Works, if and
|
||||
wherever such third-party notices normally appear. The contents
|
||||
of the NOTICE file are for informational purposes only and
|
||||
do not modify the License. You may add Your own attribution
|
||||
notices within Derivative Works that You distribute, alongside
|
||||
or as an addendum to the NOTICE text from the Work, provided
|
||||
that such additional attribution notices cannot be construed
|
||||
as modifying the License.
|
||||
|
||||
You may add Your own copyright statement to Your modifications and
|
||||
may provide additional or different license terms and conditions
|
||||
for use, reproduction, or distribution of Your modifications, or
|
||||
for any such Derivative Works as a whole, provided Your use,
|
||||
reproduction, and distribution of the Work otherwise complies with
|
||||
the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise,
|
||||
any Contribution intentionally submitted for inclusion in the Work
|
||||
by You to the Licensor shall be under the terms and conditions of
|
||||
this License, without any additional terms or conditions.
|
||||
Notwithstanding the above, nothing herein shall supersede or modify
|
||||
the terms of any separate license agreement you may have executed
|
||||
with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade
|
||||
names, trademarks, service marks, or product names of the Licensor,
|
||||
except as required for reasonable and customary use in describing the
|
||||
origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or
|
||||
agreed to in writing, Licensor provides the Work (and each
|
||||
Contributor provides its Contributions) on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
|
||||
implied, including, without limitation, any warranties or conditions
|
||||
of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
|
||||
PARTICULAR PURPOSE. You are solely responsible for determining the
|
||||
appropriateness of using or redistributing the Work and assume any
|
||||
risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory,
|
||||
whether in tort (including negligence), contract, or otherwise,
|
||||
unless required by applicable law (such as deliberate and grossly
|
||||
negligent acts) or agreed to in writing, shall any Contributor be
|
||||
liable to You for damages, including any direct, indirect, special,
|
||||
incidental, or consequential damages of any character arising as a
|
||||
result of this License or out of the use or inability to use the
|
||||
Work (including but not limited to damages for loss of goodwill,
|
||||
work stoppage, computer failure or malfunction, or any and all
|
||||
other commercial damages or losses), even if such Contributor
|
||||
has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing
|
||||
the Work or Derivative Works thereof, You may choose to offer,
|
||||
and charge a fee for, acceptance of support, warranty, indemnity,
|
||||
or other liability obligations and/or rights consistent with this
|
||||
License. However, in accepting such obligations, You may act only
|
||||
on Your own behalf and on Your sole responsibility, not on behalf
|
||||
of any other Contributor, and only if You agree to indemnify,
|
||||
defend, and hold each Contributor harmless for any liability
|
||||
incurred by, or claims asserted against, such Contributor by reason
|
||||
of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
||||
APPENDIX: How to apply the Apache License to your work.
|
||||
|
||||
To apply the Apache License to your work, attach the following
|
||||
boilerplate notice, with the fields enclosed by brackets "[]"
|
||||
replaced with your own identifying information. (Don't include
|
||||
the brackets!) The text should be enclosed in the appropriate
|
||||
comment syntax for the file format. We also recommend that a
|
||||
file or class name and description of purpose be included on the
|
||||
same "printed page" as the copyright notice for easier
|
||||
identification within third-party archives.
|
||||
|
||||
Copyright [yyyy] [name of copyright owner]
|
||||
|
||||
Licensed under the Apache License, Version 2.0 (the "License");
|
||||
you may not use this file except in compliance with the License.
|
||||
You may obtain a copy of the License at
|
||||
|
||||
http://www.apache.org/licenses/LICENSE-2.0
|
||||
|
||||
Unless required by applicable law or agreed to in writing, software
|
||||
distributed under the License is distributed on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
See the License for the specific language governing permissions and
|
||||
limitations under the License.
|
||||
@@ -0,0 +1,74 @@
|
||||
---
|
||||
name: artifacts-builder
|
||||
description: Suite of tools for creating elaborate, multi-component claude.ai HTML artifacts using modern frontend web technologies (React, Tailwind CSS, shadcn/ui). Use for complex artifacts requiring state management, routing, or shadcn/ui components - not for simple single-file HTML/JSX artifacts.
|
||||
license: Complete terms in LICENSE.txt
|
||||
---
|
||||
|
||||
# Artifacts Builder
|
||||
|
||||
To build powerful frontend claude.ai artifacts, follow these steps:
|
||||
1. Initialize the frontend repo using `scripts/init-artifact.sh`
|
||||
2. Develop your artifact by editing the generated code
|
||||
3. Bundle all code into a single HTML file using `scripts/bundle-artifact.sh`
|
||||
4. Display artifact to user
|
||||
5. (Optional) Test the artifact
|
||||
|
||||
**Stack**: React 18 + TypeScript + Vite + Parcel (bundling) + Tailwind CSS + shadcn/ui
|
||||
|
||||
## Design & Style Guidelines
|
||||
|
||||
VERY IMPORTANT: To avoid what is often referred to as "AI slop", avoid using excessive centered layouts, purple gradients, uniform rounded corners, and Inter font.
|
||||
|
||||
## Quick Start
|
||||
|
||||
### Step 1: Initialize Project
|
||||
|
||||
Run the initialization script to create a new React project:
|
||||
```bash
|
||||
bash scripts/init-artifact.sh <project-name>
|
||||
cd <project-name>
|
||||
```
|
||||
|
||||
This creates a fully configured project with:
|
||||
- ✅ React + TypeScript (via Vite)
|
||||
- ✅ Tailwind CSS 3.4.1 with shadcn/ui theming system
|
||||
- ✅ Path aliases (`@/`) configured
|
||||
- ✅ 40+ shadcn/ui components pre-installed
|
||||
- ✅ All Radix UI dependencies included
|
||||
- ✅ Parcel configured for bundling (via .parcelrc)
|
||||
- ✅ Node 18+ compatibility (auto-detects and pins Vite version)
|
||||
|
||||
### Step 2: Develop Your Artifact
|
||||
|
||||
To build the artifact, edit the generated files. See **Common Development Tasks** below for guidance.
|
||||
|
||||
### Step 3: Bundle to Single HTML File
|
||||
|
||||
To bundle the React app into a single HTML artifact:
|
||||
```bash
|
||||
bash scripts/bundle-artifact.sh
|
||||
```
|
||||
|
||||
This creates `bundle.html` - a self-contained artifact with all JavaScript, CSS, and dependencies inlined. This file can be directly shared in Claude conversations as an artifact.
|
||||
|
||||
**Requirements**: Your project must have an `index.html` in the root directory.
|
||||
|
||||
**What the script does**:
|
||||
- Installs bundling dependencies (parcel, @parcel/config-default, parcel-resolver-tspaths, html-inline)
|
||||
- Creates `.parcelrc` config with path alias support
|
||||
- Builds with Parcel (no source maps)
|
||||
- Inlines all assets into single HTML using html-inline
|
||||
|
||||
### Step 4: Share Artifact with User
|
||||
|
||||
Finally, share the bundled HTML file in conversation with the user so they can view it as an artifact.
|
||||
|
||||
### Step 5: Testing/Visualizing the Artifact (Optional)
|
||||
|
||||
Note: This is a completely optional step. Only perform if necessary or requested.
|
||||
|
||||
To test/visualize the artifact, use available tools (including other Skills or built-in tools like Playwright or Puppeteer). In general, avoid testing the artifact upfront as it adds latency between the request and when the finished artifact can be seen. Test later, after presenting the artifact, if requested or if issues arise.
|
||||
|
||||
## Reference
|
||||
|
||||
- **shadcn/ui components**: https://ui.shadcn.com/docs/components
|
||||
@@ -0,0 +1,54 @@
|
||||
#!/bin/bash
|
||||
set -e
|
||||
|
||||
echo "📦 Bundling React app to single HTML artifact..."
|
||||
|
||||
# Check if we're in a project directory
|
||||
if [ ! -f "package.json" ]; then
|
||||
echo "❌ Error: No package.json found. Run this script from your project root."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
# Check if index.html exists
|
||||
if [ ! -f "index.html" ]; then
|
||||
echo "❌ Error: No index.html found in project root."
|
||||
echo " This script requires an index.html entry point."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
# Install bundling dependencies
|
||||
echo "📦 Installing bundling dependencies..."
|
||||
pnpm add -D parcel @parcel/config-default parcel-resolver-tspaths html-inline
|
||||
|
||||
# Create Parcel config with tspaths resolver
|
||||
if [ ! -f ".parcelrc" ]; then
|
||||
echo "🔧 Creating Parcel configuration with path alias support..."
|
||||
cat > .parcelrc << 'EOF'
|
||||
{
|
||||
"extends": "@parcel/config-default",
|
||||
"resolvers": ["parcel-resolver-tspaths", "..."]
|
||||
}
|
||||
EOF
|
||||
fi
|
||||
|
||||
# Clean previous build
|
||||
echo "🧹 Cleaning previous build..."
|
||||
rm -rf dist bundle.html
|
||||
|
||||
# Build with Parcel
|
||||
echo "🔨 Building with Parcel..."
|
||||
pnpm exec parcel build index.html --dist-dir dist --no-source-maps
|
||||
|
||||
# Inline everything into single HTML
|
||||
echo "🎯 Inlining all assets into single HTML file..."
|
||||
pnpm exec html-inline dist/index.html > bundle.html
|
||||
|
||||
# Get file size
|
||||
FILE_SIZE=$(du -h bundle.html | cut -f1)
|
||||
|
||||
echo ""
|
||||
echo "✅ Bundle complete!"
|
||||
echo "📄 Output: bundle.html ($FILE_SIZE)"
|
||||
echo ""
|
||||
echo "You can now use this single HTML file as an artifact in Claude conversations."
|
||||
echo "To test locally: open bundle.html in your browser"
|
||||
322
claude-skills-examples/skills-main/artifacts-builder/scripts/init-artifact.sh
Executable file
322
claude-skills-examples/skills-main/artifacts-builder/scripts/init-artifact.sh
Executable file
@@ -0,0 +1,322 @@
|
||||
#!/bin/bash
|
||||
|
||||
# Exit on error
|
||||
set -e
|
||||
|
||||
# Detect Node version
|
||||
NODE_VERSION=$(node -v | cut -d'v' -f2 | cut -d'.' -f1)
|
||||
|
||||
echo "🔍 Detected Node.js version: $NODE_VERSION"
|
||||
|
||||
if [ "$NODE_VERSION" -lt 18 ]; then
|
||||
echo "❌ Error: Node.js 18 or higher is required"
|
||||
echo " Current version: $(node -v)"
|
||||
exit 1
|
||||
fi
|
||||
|
||||
# Set Vite version based on Node version
|
||||
if [ "$NODE_VERSION" -ge 20 ]; then
|
||||
VITE_VERSION="latest"
|
||||
echo "✅ Using Vite latest (Node 20+)"
|
||||
else
|
||||
VITE_VERSION="5.4.11"
|
||||
echo "✅ Using Vite $VITE_VERSION (Node 18 compatible)"
|
||||
fi
|
||||
|
||||
# Detect OS and set sed syntax
|
||||
if [[ "$OSTYPE" == "darwin"* ]]; then
|
||||
SED_INPLACE="sed -i ''"
|
||||
else
|
||||
SED_INPLACE="sed -i"
|
||||
fi
|
||||
|
||||
# Check if pnpm is installed
|
||||
if ! command -v pnpm &> /dev/null; then
|
||||
echo "📦 pnpm not found. Installing pnpm..."
|
||||
npm install -g pnpm
|
||||
fi
|
||||
|
||||
# Check if project name is provided
|
||||
if [ -z "$1" ]; then
|
||||
echo "❌ Usage: ./create-react-shadcn-complete.sh <project-name>"
|
||||
exit 1
|
||||
fi
|
||||
|
||||
PROJECT_NAME="$1"
|
||||
SCRIPT_DIR="$(cd "$(dirname "${BASH_SOURCE[0]}")" && pwd)"
|
||||
COMPONENTS_TARBALL="$SCRIPT_DIR/shadcn-components.tar.gz"
|
||||
|
||||
# Check if components tarball exists
|
||||
if [ ! -f "$COMPONENTS_TARBALL" ]; then
|
||||
echo "❌ Error: shadcn-components.tar.gz not found in script directory"
|
||||
echo " Expected location: $COMPONENTS_TARBALL"
|
||||
exit 1
|
||||
fi
|
||||
|
||||
echo "🚀 Creating new React + Vite project: $PROJECT_NAME"
|
||||
|
||||
# Create new Vite project (always use latest create-vite, pin vite version later)
|
||||
pnpm create vite "$PROJECT_NAME" --template react-ts
|
||||
|
||||
# Navigate into project directory
|
||||
cd "$PROJECT_NAME"
|
||||
|
||||
echo "🧹 Cleaning up Vite template..."
|
||||
$SED_INPLACE '/<link rel="icon".*vite\.svg/d' index.html
|
||||
$SED_INPLACE 's/<title>.*<\/title>/<title>'"$PROJECT_NAME"'<\/title>/' index.html
|
||||
|
||||
echo "📦 Installing base dependencies..."
|
||||
pnpm install
|
||||
|
||||
# Pin Vite version for Node 18
|
||||
if [ "$NODE_VERSION" -lt 20 ]; then
|
||||
echo "📌 Pinning Vite to $VITE_VERSION for Node 18 compatibility..."
|
||||
pnpm add -D vite@$VITE_VERSION
|
||||
fi
|
||||
|
||||
echo "📦 Installing Tailwind CSS and dependencies..."
|
||||
pnpm install -D tailwindcss@3.4.1 postcss autoprefixer @types/node tailwindcss-animate
|
||||
pnpm install class-variance-authority clsx tailwind-merge lucide-react next-themes
|
||||
|
||||
echo "⚙️ Creating Tailwind and PostCSS configuration..."
|
||||
cat > postcss.config.js << 'EOF'
|
||||
export default {
|
||||
plugins: {
|
||||
tailwindcss: {},
|
||||
autoprefixer: {},
|
||||
},
|
||||
}
|
||||
EOF
|
||||
|
||||
echo "📝 Configuring Tailwind with shadcn theme..."
|
||||
cat > tailwind.config.js << 'EOF'
|
||||
/** @type {import('tailwindcss').Config} */
|
||||
module.exports = {
|
||||
darkMode: ["class"],
|
||||
content: [
|
||||
"./index.html",
|
||||
"./src/**/*.{js,ts,jsx,tsx}",
|
||||
],
|
||||
theme: {
|
||||
extend: {
|
||||
colors: {
|
||||
border: "hsl(var(--border))",
|
||||
input: "hsl(var(--input))",
|
||||
ring: "hsl(var(--ring))",
|
||||
background: "hsl(var(--background))",
|
||||
foreground: "hsl(var(--foreground))",
|
||||
primary: {
|
||||
DEFAULT: "hsl(var(--primary))",
|
||||
foreground: "hsl(var(--primary-foreground))",
|
||||
},
|
||||
secondary: {
|
||||
DEFAULT: "hsl(var(--secondary))",
|
||||
foreground: "hsl(var(--secondary-foreground))",
|
||||
},
|
||||
destructive: {
|
||||
DEFAULT: "hsl(var(--destructive))",
|
||||
foreground: "hsl(var(--destructive-foreground))",
|
||||
},
|
||||
muted: {
|
||||
DEFAULT: "hsl(var(--muted))",
|
||||
foreground: "hsl(var(--muted-foreground))",
|
||||
},
|
||||
accent: {
|
||||
DEFAULT: "hsl(var(--accent))",
|
||||
foreground: "hsl(var(--accent-foreground))",
|
||||
},
|
||||
popover: {
|
||||
DEFAULT: "hsl(var(--popover))",
|
||||
foreground: "hsl(var(--popover-foreground))",
|
||||
},
|
||||
card: {
|
||||
DEFAULT: "hsl(var(--card))",
|
||||
foreground: "hsl(var(--card-foreground))",
|
||||
},
|
||||
},
|
||||
borderRadius: {
|
||||
lg: "var(--radius)",
|
||||
md: "calc(var(--radius) - 2px)",
|
||||
sm: "calc(var(--radius) - 4px)",
|
||||
},
|
||||
keyframes: {
|
||||
"accordion-down": {
|
||||
from: { height: "0" },
|
||||
to: { height: "var(--radix-accordion-content-height)" },
|
||||
},
|
||||
"accordion-up": {
|
||||
from: { height: "var(--radix-accordion-content-height)" },
|
||||
to: { height: "0" },
|
||||
},
|
||||
},
|
||||
animation: {
|
||||
"accordion-down": "accordion-down 0.2s ease-out",
|
||||
"accordion-up": "accordion-up 0.2s ease-out",
|
||||
},
|
||||
},
|
||||
},
|
||||
plugins: [require("tailwindcss-animate")],
|
||||
}
|
||||
EOF
|
||||
|
||||
# Add Tailwind directives and CSS variables to index.css
|
||||
echo "🎨 Adding Tailwind directives and CSS variables..."
|
||||
cat > src/index.css << 'EOF'
|
||||
@tailwind base;
|
||||
@tailwind components;
|
||||
@tailwind utilities;
|
||||
|
||||
@layer base {
|
||||
:root {
|
||||
--background: 0 0% 100%;
|
||||
--foreground: 0 0% 3.9%;
|
||||
--card: 0 0% 100%;
|
||||
--card-foreground: 0 0% 3.9%;
|
||||
--popover: 0 0% 100%;
|
||||
--popover-foreground: 0 0% 3.9%;
|
||||
--primary: 0 0% 9%;
|
||||
--primary-foreground: 0 0% 98%;
|
||||
--secondary: 0 0% 96.1%;
|
||||
--secondary-foreground: 0 0% 9%;
|
||||
--muted: 0 0% 96.1%;
|
||||
--muted-foreground: 0 0% 45.1%;
|
||||
--accent: 0 0% 96.1%;
|
||||
--accent-foreground: 0 0% 9%;
|
||||
--destructive: 0 84.2% 60.2%;
|
||||
--destructive-foreground: 0 0% 98%;
|
||||
--border: 0 0% 89.8%;
|
||||
--input: 0 0% 89.8%;
|
||||
--ring: 0 0% 3.9%;
|
||||
--radius: 0.5rem;
|
||||
}
|
||||
|
||||
.dark {
|
||||
--background: 0 0% 3.9%;
|
||||
--foreground: 0 0% 98%;
|
||||
--card: 0 0% 3.9%;
|
||||
--card-foreground: 0 0% 98%;
|
||||
--popover: 0 0% 3.9%;
|
||||
--popover-foreground: 0 0% 98%;
|
||||
--primary: 0 0% 98%;
|
||||
--primary-foreground: 0 0% 9%;
|
||||
--secondary: 0 0% 14.9%;
|
||||
--secondary-foreground: 0 0% 98%;
|
||||
--muted: 0 0% 14.9%;
|
||||
--muted-foreground: 0 0% 63.9%;
|
||||
--accent: 0 0% 14.9%;
|
||||
--accent-foreground: 0 0% 98%;
|
||||
--destructive: 0 62.8% 30.6%;
|
||||
--destructive-foreground: 0 0% 98%;
|
||||
--border: 0 0% 14.9%;
|
||||
--input: 0 0% 14.9%;
|
||||
--ring: 0 0% 83.1%;
|
||||
}
|
||||
}
|
||||
|
||||
@layer base {
|
||||
* {
|
||||
@apply border-border;
|
||||
}
|
||||
body {
|
||||
@apply bg-background text-foreground;
|
||||
}
|
||||
}
|
||||
EOF
|
||||
|
||||
# Add path aliases to tsconfig.json
|
||||
echo "🔧 Adding path aliases to tsconfig.json..."
|
||||
node -e "
|
||||
const fs = require('fs');
|
||||
const config = JSON.parse(fs.readFileSync('tsconfig.json', 'utf8'));
|
||||
config.compilerOptions = config.compilerOptions || {};
|
||||
config.compilerOptions.baseUrl = '.';
|
||||
config.compilerOptions.paths = { '@/*': ['./src/*'] };
|
||||
fs.writeFileSync('tsconfig.json', JSON.stringify(config, null, 2));
|
||||
"
|
||||
|
||||
# Add path aliases to tsconfig.app.json
|
||||
echo "🔧 Adding path aliases to tsconfig.app.json..."
|
||||
node -e "
|
||||
const fs = require('fs');
|
||||
const path = 'tsconfig.app.json';
|
||||
const content = fs.readFileSync(path, 'utf8');
|
||||
// Remove comments manually
|
||||
const lines = content.split('\n').filter(line => !line.trim().startsWith('//'));
|
||||
const jsonContent = lines.join('\n');
|
||||
const config = JSON.parse(jsonContent.replace(/\/\*[\s\S]*?\*\//g, '').replace(/,(\s*[}\]])/g, '\$1'));
|
||||
config.compilerOptions = config.compilerOptions || {};
|
||||
config.compilerOptions.baseUrl = '.';
|
||||
config.compilerOptions.paths = { '@/*': ['./src/*'] };
|
||||
fs.writeFileSync(path, JSON.stringify(config, null, 2));
|
||||
"
|
||||
|
||||
# Update vite.config.ts
|
||||
echo "⚙️ Updating Vite configuration..."
|
||||
cat > vite.config.ts << 'EOF'
|
||||
import path from "path";
|
||||
import react from "@vitejs/plugin-react";
|
||||
import { defineConfig } from "vite";
|
||||
|
||||
export default defineConfig({
|
||||
plugins: [react()],
|
||||
resolve: {
|
||||
alias: {
|
||||
"@": path.resolve(__dirname, "./src"),
|
||||
},
|
||||
},
|
||||
});
|
||||
EOF
|
||||
|
||||
# Install all shadcn/ui dependencies
|
||||
echo "📦 Installing shadcn/ui dependencies..."
|
||||
pnpm install @radix-ui/react-accordion @radix-ui/react-aspect-ratio @radix-ui/react-avatar @radix-ui/react-checkbox @radix-ui/react-collapsible @radix-ui/react-context-menu @radix-ui/react-dialog @radix-ui/react-dropdown-menu @radix-ui/react-hover-card @radix-ui/react-label @radix-ui/react-menubar @radix-ui/react-navigation-menu @radix-ui/react-popover @radix-ui/react-progress @radix-ui/react-radio-group @radix-ui/react-scroll-area @radix-ui/react-select @radix-ui/react-separator @radix-ui/react-slider @radix-ui/react-slot @radix-ui/react-switch @radix-ui/react-tabs @radix-ui/react-toast @radix-ui/react-toggle @radix-ui/react-toggle-group @radix-ui/react-tooltip
|
||||
pnpm install sonner cmdk vaul embla-carousel-react react-day-picker react-resizable-panels date-fns react-hook-form @hookform/resolvers zod
|
||||
|
||||
# Extract shadcn components from tarball
|
||||
echo "📦 Extracting shadcn/ui components..."
|
||||
tar -xzf "$COMPONENTS_TARBALL" -C src/
|
||||
|
||||
# Create components.json for reference
|
||||
echo "📝 Creating components.json config..."
|
||||
cat > components.json << 'EOF'
|
||||
{
|
||||
"$schema": "https://ui.shadcn.com/schema.json",
|
||||
"style": "default",
|
||||
"rsc": false,
|
||||
"tsx": true,
|
||||
"tailwind": {
|
||||
"config": "tailwind.config.js",
|
||||
"css": "src/index.css",
|
||||
"baseColor": "slate",
|
||||
"cssVariables": true,
|
||||
"prefix": ""
|
||||
},
|
||||
"aliases": {
|
||||
"components": "@/components",
|
||||
"utils": "@/lib/utils",
|
||||
"ui": "@/components/ui",
|
||||
"lib": "@/lib",
|
||||
"hooks": "@/hooks"
|
||||
}
|
||||
}
|
||||
EOF
|
||||
|
||||
echo "✅ Setup complete! You can now use Tailwind CSS and shadcn/ui in your project."
|
||||
echo ""
|
||||
echo "📦 Included components (40+ total):"
|
||||
echo " - accordion, alert, aspect-ratio, avatar, badge, breadcrumb"
|
||||
echo " - button, calendar, card, carousel, checkbox, collapsible"
|
||||
echo " - command, context-menu, dialog, drawer, dropdown-menu"
|
||||
echo " - form, hover-card, input, label, menubar, navigation-menu"
|
||||
echo " - popover, progress, radio-group, resizable, scroll-area"
|
||||
echo " - select, separator, sheet, skeleton, slider, sonner"
|
||||
echo " - switch, table, tabs, textarea, toast, toggle, toggle-group, tooltip"
|
||||
echo ""
|
||||
echo "To start developing:"
|
||||
echo " cd $PROJECT_NAME"
|
||||
echo " pnpm dev"
|
||||
echo ""
|
||||
echo "📚 Import components like:"
|
||||
echo " import { Button } from '@/components/ui/button'"
|
||||
echo " import { Card, CardHeader, CardTitle, CardContent } from '@/components/ui/card'"
|
||||
echo " import { Dialog, DialogContent, DialogTrigger } from '@/components/ui/dialog'"
|
||||
202
claude-skills-examples/skills-main/brand-guidelines/LICENSE.txt
Normal file
202
claude-skills-examples/skills-main/brand-guidelines/LICENSE.txt
Normal file
@@ -0,0 +1,202 @@
|
||||
|
||||
Apache License
|
||||
Version 2.0, January 2004
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction,
|
||||
and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by
|
||||
the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all
|
||||
other entities that control, are controlled by, or are under common
|
||||
control with that entity. For the purposes of this definition,
|
||||
"control" means (i) the power, direct or indirect, to cause the
|
||||
direction or management of such entity, whether by contract or
|
||||
otherwise, or (ii) ownership of fifty percent (50%) or more of the
|
||||
outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity
|
||||
exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications,
|
||||
including but not limited to software source code, documentation
|
||||
source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical
|
||||
transformation or translation of a Source form, including but
|
||||
not limited to compiled object code, generated documentation,
|
||||
and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or
|
||||
Object form, made available under the License, as indicated by a
|
||||
copyright notice that is included in or attached to the work
|
||||
(an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object
|
||||
form, that is based on (or derived from) the Work and for which the
|
||||
editorial revisions, annotations, elaborations, or other modifications
|
||||
represent, as a whole, an original work of authorship. For the purposes
|
||||
of this License, Derivative Works shall not include works that remain
|
||||
separable from, or merely link (or bind by name) to the interfaces of,
|
||||
the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including
|
||||
the original version of the Work and any modifications or additions
|
||||
to that Work or Derivative Works thereof, that is intentionally
|
||||
submitted to Licensor for inclusion in the Work by the copyright owner
|
||||
or by an individual or Legal Entity authorized to submit on behalf of
|
||||
the copyright owner. For the purposes of this definition, "submitted"
|
||||
means any form of electronic, verbal, or written communication sent
|
||||
to the Licensor or its representatives, including but not limited to
|
||||
communication on electronic mailing lists, source code control systems,
|
||||
and issue tracking systems that are managed by, or on behalf of, the
|
||||
Licensor for the purpose of discussing and improving the Work, but
|
||||
excluding communication that is conspicuously marked or otherwise
|
||||
designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity
|
||||
on behalf of whom a Contribution has been received by Licensor and
|
||||
subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
copyright license to reproduce, prepare Derivative Works of,
|
||||
publicly display, publicly perform, sublicense, and distribute the
|
||||
Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
(except as stated in this section) patent license to make, have made,
|
||||
use, offer to sell, sell, import, and otherwise transfer the Work,
|
||||
where such license applies only to those patent claims licensable
|
||||
by such Contributor that are necessarily infringed by their
|
||||
Contribution(s) alone or by combination of their Contribution(s)
|
||||
with the Work to which such Contribution(s) was submitted. If You
|
||||
institute patent litigation against any entity (including a
|
||||
cross-claim or counterclaim in a lawsuit) alleging that the Work
|
||||
or a Contribution incorporated within the Work constitutes direct
|
||||
or contributory patent infringement, then any patent licenses
|
||||
granted to You under this License for that Work shall terminate
|
||||
as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the
|
||||
Work or Derivative Works thereof in any medium, with or without
|
||||
modifications, and in Source or Object form, provided that You
|
||||
meet the following conditions:
|
||||
|
||||
(a) You must give any other recipients of the Work or
|
||||
Derivative Works a copy of this License; and
|
||||
|
||||
(b) You must cause any modified files to carry prominent notices
|
||||
stating that You changed the files; and
|
||||
|
||||
(c) You must retain, in the Source form of any Derivative Works
|
||||
that You distribute, all copyright, patent, trademark, and
|
||||
attribution notices from the Source form of the Work,
|
||||
excluding those notices that do not pertain to any part of
|
||||
the Derivative Works; and
|
||||
|
||||
(d) If the Work includes a "NOTICE" text file as part of its
|
||||
distribution, then any Derivative Works that You distribute must
|
||||
include a readable copy of the attribution notices contained
|
||||
within such NOTICE file, excluding those notices that do not
|
||||
pertain to any part of the Derivative Works, in at least one
|
||||
of the following places: within a NOTICE text file distributed
|
||||
as part of the Derivative Works; within the Source form or
|
||||
documentation, if provided along with the Derivative Works; or,
|
||||
within a display generated by the Derivative Works, if and
|
||||
wherever such third-party notices normally appear. The contents
|
||||
of the NOTICE file are for informational purposes only and
|
||||
do not modify the License. You may add Your own attribution
|
||||
notices within Derivative Works that You distribute, alongside
|
||||
or as an addendum to the NOTICE text from the Work, provided
|
||||
that such additional attribution notices cannot be construed
|
||||
as modifying the License.
|
||||
|
||||
You may add Your own copyright statement to Your modifications and
|
||||
may provide additional or different license terms and conditions
|
||||
for use, reproduction, or distribution of Your modifications, or
|
||||
for any such Derivative Works as a whole, provided Your use,
|
||||
reproduction, and distribution of the Work otherwise complies with
|
||||
the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise,
|
||||
any Contribution intentionally submitted for inclusion in the Work
|
||||
by You to the Licensor shall be under the terms and conditions of
|
||||
this License, without any additional terms or conditions.
|
||||
Notwithstanding the above, nothing herein shall supersede or modify
|
||||
the terms of any separate license agreement you may have executed
|
||||
with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade
|
||||
names, trademarks, service marks, or product names of the Licensor,
|
||||
except as required for reasonable and customary use in describing the
|
||||
origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or
|
||||
agreed to in writing, Licensor provides the Work (and each
|
||||
Contributor provides its Contributions) on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
|
||||
implied, including, without limitation, any warranties or conditions
|
||||
of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
|
||||
PARTICULAR PURPOSE. You are solely responsible for determining the
|
||||
appropriateness of using or redistributing the Work and assume any
|
||||
risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory,
|
||||
whether in tort (including negligence), contract, or otherwise,
|
||||
unless required by applicable law (such as deliberate and grossly
|
||||
negligent acts) or agreed to in writing, shall any Contributor be
|
||||
liable to You for damages, including any direct, indirect, special,
|
||||
incidental, or consequential damages of any character arising as a
|
||||
result of this License or out of the use or inability to use the
|
||||
Work (including but not limited to damages for loss of goodwill,
|
||||
work stoppage, computer failure or malfunction, or any and all
|
||||
other commercial damages or losses), even if such Contributor
|
||||
has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing
|
||||
the Work or Derivative Works thereof, You may choose to offer,
|
||||
and charge a fee for, acceptance of support, warranty, indemnity,
|
||||
or other liability obligations and/or rights consistent with this
|
||||
License. However, in accepting such obligations, You may act only
|
||||
on Your own behalf and on Your sole responsibility, not on behalf
|
||||
of any other Contributor, and only if You agree to indemnify,
|
||||
defend, and hold each Contributor harmless for any liability
|
||||
incurred by, or claims asserted against, such Contributor by reason
|
||||
of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
||||
APPENDIX: How to apply the Apache License to your work.
|
||||
|
||||
To apply the Apache License to your work, attach the following
|
||||
boilerplate notice, with the fields enclosed by brackets "[]"
|
||||
replaced with your own identifying information. (Don't include
|
||||
the brackets!) The text should be enclosed in the appropriate
|
||||
comment syntax for the file format. We also recommend that a
|
||||
file or class name and description of purpose be included on the
|
||||
same "printed page" as the copyright notice for easier
|
||||
identification within third-party archives.
|
||||
|
||||
Copyright [yyyy] [name of copyright owner]
|
||||
|
||||
Licensed under the Apache License, Version 2.0 (the "License");
|
||||
you may not use this file except in compliance with the License.
|
||||
You may obtain a copy of the License at
|
||||
|
||||
http://www.apache.org/licenses/LICENSE-2.0
|
||||
|
||||
Unless required by applicable law or agreed to in writing, software
|
||||
distributed under the License is distributed on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
See the License for the specific language governing permissions and
|
||||
limitations under the License.
|
||||
73
claude-skills-examples/skills-main/brand-guidelines/SKILL.md
Normal file
73
claude-skills-examples/skills-main/brand-guidelines/SKILL.md
Normal file
@@ -0,0 +1,73 @@
|
||||
---
|
||||
name: brand-guidelines
|
||||
description: Applies Anthropic's official brand colors and typography to any sort of artifact that may benefit from having Anthropic's look-and-feel. Use it when brand colors or style guidelines, visual formatting, or company design standards apply.
|
||||
license: Complete terms in LICENSE.txt
|
||||
---
|
||||
|
||||
# Anthropic Brand Styling
|
||||
|
||||
## Overview
|
||||
|
||||
To access Anthropic's official brand identity and style resources, use this skill.
|
||||
|
||||
**Keywords**: branding, corporate identity, visual identity, post-processing, styling, brand colors, typography, Anthropic brand, visual formatting, visual design
|
||||
|
||||
## Brand Guidelines
|
||||
|
||||
### Colors
|
||||
|
||||
**Main Colors:**
|
||||
|
||||
- Dark: `#141413` - Primary text and dark backgrounds
|
||||
- Light: `#faf9f5` - Light backgrounds and text on dark
|
||||
- Mid Gray: `#b0aea5` - Secondary elements
|
||||
- Light Gray: `#e8e6dc` - Subtle backgrounds
|
||||
|
||||
**Accent Colors:**
|
||||
|
||||
- Orange: `#d97757` - Primary accent
|
||||
- Blue: `#6a9bcc` - Secondary accent
|
||||
- Green: `#788c5d` - Tertiary accent
|
||||
|
||||
### Typography
|
||||
|
||||
- **Headings**: Poppins (with Arial fallback)
|
||||
- **Body Text**: Lora (with Georgia fallback)
|
||||
- **Note**: Fonts should be pre-installed in your environment for best results
|
||||
|
||||
## Features
|
||||
|
||||
### Smart Font Application
|
||||
|
||||
- Applies Poppins font to headings (24pt and larger)
|
||||
- Applies Lora font to body text
|
||||
- Automatically falls back to Arial/Georgia if custom fonts unavailable
|
||||
- Preserves readability across all systems
|
||||
|
||||
### Text Styling
|
||||
|
||||
- Headings (24pt+): Poppins font
|
||||
- Body text: Lora font
|
||||
- Smart color selection based on background
|
||||
- Preserves text hierarchy and formatting
|
||||
|
||||
### Shape and Accent Colors
|
||||
|
||||
- Non-text shapes use accent colors
|
||||
- Cycles through orange, blue, and green accents
|
||||
- Maintains visual interest while staying on-brand
|
||||
|
||||
## Technical Details
|
||||
|
||||
### Font Management
|
||||
|
||||
- Uses system-installed Poppins and Lora fonts when available
|
||||
- Provides automatic fallback to Arial (headings) and Georgia (body)
|
||||
- No font installation required - works with existing system fonts
|
||||
- For best results, pre-install Poppins and Lora fonts in your environment
|
||||
|
||||
### Color Application
|
||||
|
||||
- Uses RGB color values for precise brand matching
|
||||
- Applied via python-pptx's RGBColor class
|
||||
- Maintains color fidelity across different systems
|
||||
202
claude-skills-examples/skills-main/canvas-design/LICENSE.txt
Normal file
202
claude-skills-examples/skills-main/canvas-design/LICENSE.txt
Normal file
@@ -0,0 +1,202 @@
|
||||
|
||||
Apache License
|
||||
Version 2.0, January 2004
|
||||
http://www.apache.org/licenses/
|
||||
|
||||
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
|
||||
|
||||
1. Definitions.
|
||||
|
||||
"License" shall mean the terms and conditions for use, reproduction,
|
||||
and distribution as defined by Sections 1 through 9 of this document.
|
||||
|
||||
"Licensor" shall mean the copyright owner or entity authorized by
|
||||
the copyright owner that is granting the License.
|
||||
|
||||
"Legal Entity" shall mean the union of the acting entity and all
|
||||
other entities that control, are controlled by, or are under common
|
||||
control with that entity. For the purposes of this definition,
|
||||
"control" means (i) the power, direct or indirect, to cause the
|
||||
direction or management of such entity, whether by contract or
|
||||
otherwise, or (ii) ownership of fifty percent (50%) or more of the
|
||||
outstanding shares, or (iii) beneficial ownership of such entity.
|
||||
|
||||
"You" (or "Your") shall mean an individual or Legal Entity
|
||||
exercising permissions granted by this License.
|
||||
|
||||
"Source" form shall mean the preferred form for making modifications,
|
||||
including but not limited to software source code, documentation
|
||||
source, and configuration files.
|
||||
|
||||
"Object" form shall mean any form resulting from mechanical
|
||||
transformation or translation of a Source form, including but
|
||||
not limited to compiled object code, generated documentation,
|
||||
and conversions to other media types.
|
||||
|
||||
"Work" shall mean the work of authorship, whether in Source or
|
||||
Object form, made available under the License, as indicated by a
|
||||
copyright notice that is included in or attached to the work
|
||||
(an example is provided in the Appendix below).
|
||||
|
||||
"Derivative Works" shall mean any work, whether in Source or Object
|
||||
form, that is based on (or derived from) the Work and for which the
|
||||
editorial revisions, annotations, elaborations, or other modifications
|
||||
represent, as a whole, an original work of authorship. For the purposes
|
||||
of this License, Derivative Works shall not include works that remain
|
||||
separable from, or merely link (or bind by name) to the interfaces of,
|
||||
the Work and Derivative Works thereof.
|
||||
|
||||
"Contribution" shall mean any work of authorship, including
|
||||
the original version of the Work and any modifications or additions
|
||||
to that Work or Derivative Works thereof, that is intentionally
|
||||
submitted to Licensor for inclusion in the Work by the copyright owner
|
||||
or by an individual or Legal Entity authorized to submit on behalf of
|
||||
the copyright owner. For the purposes of this definition, "submitted"
|
||||
means any form of electronic, verbal, or written communication sent
|
||||
to the Licensor or its representatives, including but not limited to
|
||||
communication on electronic mailing lists, source code control systems,
|
||||
and issue tracking systems that are managed by, or on behalf of, the
|
||||
Licensor for the purpose of discussing and improving the Work, but
|
||||
excluding communication that is conspicuously marked or otherwise
|
||||
designated in writing by the copyright owner as "Not a Contribution."
|
||||
|
||||
"Contributor" shall mean Licensor and any individual or Legal Entity
|
||||
on behalf of whom a Contribution has been received by Licensor and
|
||||
subsequently incorporated within the Work.
|
||||
|
||||
2. Grant of Copyright License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
copyright license to reproduce, prepare Derivative Works of,
|
||||
publicly display, publicly perform, sublicense, and distribute the
|
||||
Work and such Derivative Works in Source or Object form.
|
||||
|
||||
3. Grant of Patent License. Subject to the terms and conditions of
|
||||
this License, each Contributor hereby grants to You a perpetual,
|
||||
worldwide, non-exclusive, no-charge, royalty-free, irrevocable
|
||||
(except as stated in this section) patent license to make, have made,
|
||||
use, offer to sell, sell, import, and otherwise transfer the Work,
|
||||
where such license applies only to those patent claims licensable
|
||||
by such Contributor that are necessarily infringed by their
|
||||
Contribution(s) alone or by combination of their Contribution(s)
|
||||
with the Work to which such Contribution(s) was submitted. If You
|
||||
institute patent litigation against any entity (including a
|
||||
cross-claim or counterclaim in a lawsuit) alleging that the Work
|
||||
or a Contribution incorporated within the Work constitutes direct
|
||||
or contributory patent infringement, then any patent licenses
|
||||
granted to You under this License for that Work shall terminate
|
||||
as of the date such litigation is filed.
|
||||
|
||||
4. Redistribution. You may reproduce and distribute copies of the
|
||||
Work or Derivative Works thereof in any medium, with or without
|
||||
modifications, and in Source or Object form, provided that You
|
||||
meet the following conditions:
|
||||
|
||||
(a) You must give any other recipients of the Work or
|
||||
Derivative Works a copy of this License; and
|
||||
|
||||
(b) You must cause any modified files to carry prominent notices
|
||||
stating that You changed the files; and
|
||||
|
||||
(c) You must retain, in the Source form of any Derivative Works
|
||||
that You distribute, all copyright, patent, trademark, and
|
||||
attribution notices from the Source form of the Work,
|
||||
excluding those notices that do not pertain to any part of
|
||||
the Derivative Works; and
|
||||
|
||||
(d) If the Work includes a "NOTICE" text file as part of its
|
||||
distribution, then any Derivative Works that You distribute must
|
||||
include a readable copy of the attribution notices contained
|
||||
within such NOTICE file, excluding those notices that do not
|
||||
pertain to any part of the Derivative Works, in at least one
|
||||
of the following places: within a NOTICE text file distributed
|
||||
as part of the Derivative Works; within the Source form or
|
||||
documentation, if provided along with the Derivative Works; or,
|
||||
within a display generated by the Derivative Works, if and
|
||||
wherever such third-party notices normally appear. The contents
|
||||
of the NOTICE file are for informational purposes only and
|
||||
do not modify the License. You may add Your own attribution
|
||||
notices within Derivative Works that You distribute, alongside
|
||||
or as an addendum to the NOTICE text from the Work, provided
|
||||
that such additional attribution notices cannot be construed
|
||||
as modifying the License.
|
||||
|
||||
You may add Your own copyright statement to Your modifications and
|
||||
may provide additional or different license terms and conditions
|
||||
for use, reproduction, or distribution of Your modifications, or
|
||||
for any such Derivative Works as a whole, provided Your use,
|
||||
reproduction, and distribution of the Work otherwise complies with
|
||||
the conditions stated in this License.
|
||||
|
||||
5. Submission of Contributions. Unless You explicitly state otherwise,
|
||||
any Contribution intentionally submitted for inclusion in the Work
|
||||
by You to the Licensor shall be under the terms and conditions of
|
||||
this License, without any additional terms or conditions.
|
||||
Notwithstanding the above, nothing herein shall supersede or modify
|
||||
the terms of any separate license agreement you may have executed
|
||||
with Licensor regarding such Contributions.
|
||||
|
||||
6. Trademarks. This License does not grant permission to use the trade
|
||||
names, trademarks, service marks, or product names of the Licensor,
|
||||
except as required for reasonable and customary use in describing the
|
||||
origin of the Work and reproducing the content of the NOTICE file.
|
||||
|
||||
7. Disclaimer of Warranty. Unless required by applicable law or
|
||||
agreed to in writing, Licensor provides the Work (and each
|
||||
Contributor provides its Contributions) on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
|
||||
implied, including, without limitation, any warranties or conditions
|
||||
of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
|
||||
PARTICULAR PURPOSE. You are solely responsible for determining the
|
||||
appropriateness of using or redistributing the Work and assume any
|
||||
risks associated with Your exercise of permissions under this License.
|
||||
|
||||
8. Limitation of Liability. In no event and under no legal theory,
|
||||
whether in tort (including negligence), contract, or otherwise,
|
||||
unless required by applicable law (such as deliberate and grossly
|
||||
negligent acts) or agreed to in writing, shall any Contributor be
|
||||
liable to You for damages, including any direct, indirect, special,
|
||||
incidental, or consequential damages of any character arising as a
|
||||
result of this License or out of the use or inability to use the
|
||||
Work (including but not limited to damages for loss of goodwill,
|
||||
work stoppage, computer failure or malfunction, or any and all
|
||||
other commercial damages or losses), even if such Contributor
|
||||
has been advised of the possibility of such damages.
|
||||
|
||||
9. Accepting Warranty or Additional Liability. While redistributing
|
||||
the Work or Derivative Works thereof, You may choose to offer,
|
||||
and charge a fee for, acceptance of support, warranty, indemnity,
|
||||
or other liability obligations and/or rights consistent with this
|
||||
License. However, in accepting such obligations, You may act only
|
||||
on Your own behalf and on Your sole responsibility, not on behalf
|
||||
of any other Contributor, and only if You agree to indemnify,
|
||||
defend, and hold each Contributor harmless for any liability
|
||||
incurred by, or claims asserted against, such Contributor by reason
|
||||
of your accepting any such warranty or additional liability.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
||||
APPENDIX: How to apply the Apache License to your work.
|
||||
|
||||
To apply the Apache License to your work, attach the following
|
||||
boilerplate notice, with the fields enclosed by brackets "[]"
|
||||
replaced with your own identifying information. (Don't include
|
||||
the brackets!) The text should be enclosed in the appropriate
|
||||
comment syntax for the file format. We also recommend that a
|
||||
file or class name and description of purpose be included on the
|
||||
same "printed page" as the copyright notice for easier
|
||||
identification within third-party archives.
|
||||
|
||||
Copyright [yyyy] [name of copyright owner]
|
||||
|
||||
Licensed under the Apache License, Version 2.0 (the "License");
|
||||
you may not use this file except in compliance with the License.
|
||||
You may obtain a copy of the License at
|
||||
|
||||
http://www.apache.org/licenses/LICENSE-2.0
|
||||
|
||||
Unless required by applicable law or agreed to in writing, software
|
||||
distributed under the License is distributed on an "AS IS" BASIS,
|
||||
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
See the License for the specific language governing permissions and
|
||||
limitations under the License.
|
||||
130
claude-skills-examples/skills-main/canvas-design/SKILL.md
Normal file
130
claude-skills-examples/skills-main/canvas-design/SKILL.md
Normal file
@@ -0,0 +1,130 @@
|
||||
---
|
||||
name: canvas-design
|
||||
description: Create beautiful visual art in .png and .pdf documents using design philosophy. You should use this skill when the user asks to create a poster, piece of art, design, or other static piece. Create original visual designs, never copying existing artists' work to avoid copyright violations.
|
||||
license: Complete terms in LICENSE.txt
|
||||
---
|
||||
|
||||
These are instructions for creating design philosophies - aesthetic movements that are then EXPRESSED VISUALLY. Output only .md files, .pdf files, and .png files.
|
||||
|
||||
Complete this in two steps:
|
||||
1. Design Philosophy Creation (.md file)
|
||||
2. Express by creating it on a canvas (.pdf file or .png file)
|
||||
|
||||
First, undertake this task:
|
||||
|
||||
## DESIGN PHILOSOPHY CREATION
|
||||
|
||||
To begin, create a VISUAL PHILOSOPHY (not layouts or templates) that will be interpreted through:
|
||||
- Form, space, color, composition
|
||||
- Images, graphics, shapes, patterns
|
||||
- Minimal text as visual accent
|
||||
|
||||
### THE CRITICAL UNDERSTANDING
|
||||
- What is received: Some subtle input or instructions by the user that should be taken into account, but used as a foundation; it should not constrain creative freedom.
|
||||
- What is created: A design philosophy/aesthetic movement.
|
||||
- What happens next: Then, the same version receives the philosophy and EXPRESSES IT VISUALLY - creating artifacts that are 90% visual design, 10% essential text.
|
||||
|
||||
Consider this approach:
|
||||
- Write a manifesto for an art movement
|
||||
- The next phase involves making the artwork
|
||||
|
||||
The philosophy must emphasize: Visual expression. Spatial communication. Artistic interpretation. Minimal words.
|
||||
|
||||
### HOW TO GENERATE A VISUAL PHILOSOPHY
|
||||
|
||||
**Name the movement** (1-2 words): "Brutalist Joy" / "Chromatic Silence" / "Metabolist Dreams"
|
||||
|
||||
**Articulate the philosophy** (4-6 paragraphs - concise but complete):
|
||||
|
||||
To capture the VISUAL essence, express how the philosophy manifests through:
|
||||
- Space and form
|
||||
- Color and material
|
||||
- Scale and rhythm
|
||||
- Composition and balance
|
||||
- Visual hierarchy
|
||||
|
||||
**CRITICAL GUIDELINES:**
|
||||
- **Avoid redundancy**: Each design aspect should be mentioned once. Avoid repeating points about color theory, spatial relationships, or typographic principles unless adding new depth.
|
||||
- **Emphasize craftsmanship REPEATEDLY**: The philosophy MUST stress multiple times that the final work should appear as though it took countless hours to create, was labored over with care, and comes from someone at the absolute top of their field. This framing is essential - repeat phrases like "meticulously crafted," "the product of deep expertise," "painstaking attention," "master-level execution."
|
||||
- **Leave creative space**: Remain specific about the aesthetic direction, but concise enough that the next Claude has room to make interpretive choices also at a extremely high level of craftmanship.
|
||||
|
||||
The philosophy must guide the next version to express ideas VISUALLY, not through text. Information lives in design, not paragraphs.
|
||||
|
||||
### PHILOSOPHY EXAMPLES
|
||||
|
||||
**"Concrete Poetry"**
|
||||
Philosophy: Communication through monumental form and bold geometry.
|
||||
Visual expression: Massive color blocks, sculptural typography (huge single words, tiny labels), Brutalist spatial divisions, Polish poster energy meets Le Corbusier. Ideas expressed through visual weight and spatial tension, not explanation. Text as rare, powerful gesture - never paragraphs, only essential words integrated into the visual architecture. Every element placed with the precision of a master craftsman.
|
||||
|
||||
**"Chromatic Language"**
|
||||
Philosophy: Color as the primary information system.
|
||||
Visual expression: Geometric precision where color zones create meaning. Typography minimal - small sans-serif labels letting chromatic fields communicate. Think Josef Albers' interaction meets data visualization. Information encoded spatially and chromatically. Words only to anchor what color already shows. The result of painstaking chromatic calibration.
|
||||
|
||||
**"Analog Meditation"**
|
||||
Philosophy: Quiet visual contemplation through texture and breathing room.
|
||||
Visual expression: Paper grain, ink bleeds, vast negative space. Photography and illustration dominate. Typography whispered (small, restrained, serving the visual). Japanese photobook aesthetic. Images breathe across pages. Text appears sparingly - short phrases, never explanatory blocks. Each composition balanced with the care of a meditation practice.
|
||||
|
||||
**"Organic Systems"**
|
||||
Philosophy: Natural clustering and modular growth patterns.
|
||||
Visual expression: Rounded forms, organic arrangements, color from nature through architecture. Information shown through visual diagrams, spatial relationships, iconography. Text only for key labels floating in space. The composition tells the story through expert spatial orchestration.
|
||||
|
||||
**"Geometric Silence"**
|
||||
Philosophy: Pure order and restraint.
|
||||
Visual expression: Grid-based precision, bold photography or stark graphics, dramatic negative space. Typography precise but minimal - small essential text, large quiet zones. Swiss formalism meets Brutalist material honesty. Structure communicates, not words. Every alignment the work of countless refinements.
|
||||
|
||||
*These are condensed examples. The actual design philosophy should be 4-6 substantial paragraphs.*
|
||||
|
||||
### ESSENTIAL PRINCIPLES
|
||||
- **VISUAL PHILOSOPHY**: Create an aesthetic worldview to be expressed through design
|
||||
- **MINIMAL TEXT**: Always emphasize that text is sparse, essential-only, integrated as visual element - never lengthy
|
||||
- **SPATIAL EXPRESSION**: Ideas communicate through space, form, color, composition - not paragraphs
|
||||
- **ARTISTIC FREEDOM**: The next Claude interprets the philosophy visually - provide creative room
|
||||
- **PURE DESIGN**: This is about making ART OBJECTS, not documents with decoration
|
||||
- **EXPERT CRAFTSMANSHIP**: Repeatedly emphasize the final work must look meticulously crafted, labored over with care, the product of countless hours by someone at the top of their field
|
||||
|
||||
**The design philosophy should be 4-6 paragraphs long.** Fill it with poetic design philosophy that brings together the core vision. Avoid repeating the same points. Keep the design philosophy generic without mentioning the intention of the art, as if it can be used wherever. Output the design philosophy as a .md file.
|
||||
|
||||
---
|
||||
|
||||
## DEDUCING THE SUBTLE REFERENCE
|
||||
|
||||
**CRITICAL STEP**: Before creating the canvas, identify the subtle conceptual thread from the original request.
|
||||
|
||||
**THE ESSENTIAL PRINCIPLE**:
|
||||
The topic is a **subtle, niche reference embedded within the art itself** - not always literal, always sophisticated. Someone familiar with the subject should feel it intuitively, while others simply experience a masterful abstract composition. The design philosophy provides the aesthetic language. The deduced topic provides the soul - the quiet conceptual DNA woven invisibly into form, color, and composition.
|
||||
|
||||
This is **VERY IMPORTANT**: The reference must be refined so it enhances the work's depth without announcing itself. Think like a jazz musician quoting another song - only those who know will catch it, but everyone appreciates the music.
|
||||
|
||||
---
|
||||
|
||||
## CANVAS CREATION
|
||||
|
||||
With both the philosophy and the conceptual framework established, express it on a canvas. Take a moment to gather thoughts and clear the mind. Use the design philosophy created and the instructions below to craft a masterpiece, embodying all aspects of the philosophy with expert craftsmanship.
|
||||
|
||||
**IMPORTANT**: For any type of content, even if the user requests something for a movie/game/book, the approach should still be sophisticated. Never lose sight of the idea that this should be art, not something that's cartoony or amateur.
|
||||
|
||||
To create museum or magazine quality work, use the design philosophy as the foundation. Create one single page, highly visual, design-forward PDF or PNG output (unless asked for more pages). Generally use repeating patterns and perfect shapes. Treat the abstract philosophical design as if it were a scientific bible, borrowing the visual language of systematic observation—dense accumulation of marks, repeated elements, or layered patterns that build meaning through patient repetition and reward sustained viewing. Add sparse, clinical typography and systematic reference markers that suggest this could be a diagram from an imaginary discipline, treating the invisible subject with the same reverence typically reserved for documenting observable phenomena. Anchor the piece with simple phrase(s) or details positioned subtly, using a limited color palette that feels intentional and cohesive. Embrace the paradox of using analytical visual language to express ideas about human experience: the result should feel like an artifact that proves something ephemeral can be studied, mapped, and understood through careful attention. This is true art.
|
||||
|
||||
**Text as a contextual element**: Text is always minimal and visual-first, but let context guide whether that means whisper-quiet labels or bold typographic gestures. A punk venue poster might have larger, more aggressive type than a minimalist ceramics studio identity. Most of the time, font should be thin. All use of fonts must be design-forward and prioritize visual communication. Regardless of text scale, nothing falls off the page and nothing overlaps. Every element must be contained within the canvas boundaries with proper margins. Check carefully that all text, graphics, and visual elements have breathing room and clear separation. This is non-negotiable for professional execution. **IMPORTANT: Use different fonts if writing text. Search the `./canvas-fonts` directory. Regardless of approach, sophistication is non-negotiable.**
|
||||
|
||||
Download and use whatever fonts are needed to make this a reality. Get creative by making the typography actually part of the art itself -- if the art is abstract, bring the font onto the canvas, not typeset digitally.
|
||||
|
||||
To push boundaries, follow design instinct/intuition while using the philosophy as a guiding principle. Embrace ultimate design freedom and choice. Push aesthetics and design to the frontier.
|
||||
|
||||
**CRITICAL**: To achieve human-crafted quality (not AI-generated), create work that looks like it took countless hours. Make it appear as though someone at the absolute top of their field labored over every detail with painstaking care. Ensure the composition, spacing, color choices, typography - everything screams expert-level craftsmanship. Double-check that nothing overlaps, formatting is flawless, every detail perfect. Create something that could be shown to people to prove expertise and rank as undeniably impressive.
|
||||
|
||||
Output the final result as a single, downloadable .pdf or .png file, alongside the design philosophy used as a .md file.
|
||||
|
||||
---
|
||||
|
||||
## FINAL STEP
|
||||
|
||||
**IMPORTANT**: The user ALREADY said "It isn't perfect enough. It must be pristine, a masterpiece if craftsmanship, as if it were about to be displayed in a museum."
|
||||
|
||||
**CRITICAL**: To refine the work, avoid adding more graphics; instead refine what has been created and make it extremely crisp, respecting the design philosophy and the principles of minimalism entirely. Rather than adding a fun filter or refactoring a font, consider how to make the existing composition more cohesive with the art. If the instinct is to call a new function or draw a new shape, STOP and instead ask: "How can I make what's already here more of a piece of art?"
|
||||
|
||||
Take a second pass. Go back to the code and refine/polish further to make this a philosophically designed masterpiece.
|
||||
|
||||
## MULTI-PAGE OPTION
|
||||
|
||||
To create additional pages when requested, create more creative pages along the same lines as the design philosophy but distinctly different as well. Bundle those pages in the same .pdf or many .pngs. Treat the first page as just a single page in a whole coffee table book waiting to be filled. Make the next pages unique twists and memories of the original. Have them almost tell a story in a very tasteful way. Exercise full creative freedom.
|
||||
@@ -0,0 +1,93 @@
|
||||
Copyright 2012 The Arsenal Project Authors (andrij.design@gmail.com)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2019 The Big Shoulders Project Authors (https://github.com/xotypeco/big_shoulders)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2024 The Boldonse Project Authors (https://github.com/googlefonts/boldonse)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2022 The Bricolage Grotesque Project Authors (https://github.com/ateliertriay/bricolage)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2018 The Crimson Pro Project Authors (https://github.com/Fonthausen/CrimsonPro)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2020 The DM Mono Project Authors (https://www.github.com/googlefonts/dm-mono)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
@@ -0,0 +1,94 @@
|
||||
Copyright (c) 2011 by LatinoType Limitada (luciano@latinotype.com),
|
||||
with Reserved Font Names "Erica One"
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2024 The Geist Project Authors (https://github.com/vercel/geist-font.git)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2022 The Gloock Project Authors (https://github.com/duartp/gloock)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright © 2017 IBM Corp. with Reserved Font Name "Plex"
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2022 The Instrument Sans Project Authors (https://github.com/Instrument/instrument-sans)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright (c) 2011, Santiago Orozco (hi@typemade.mx), with Reserved Font Name "Italiana".
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2020 The JetBrains Mono Project Authors (https://github.com/JetBrains/JetBrainsMono)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
@@ -0,0 +1,93 @@
|
||||
Copyright 2019 The Jura Project Authors (https://github.com/ossobuffo/jura)
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
@@ -0,0 +1,93 @@
|
||||
Copyright 2012 The Libre Baskerville Project Authors (https://github.com/impallari/Libre-Baskerville) with Reserved Font Name Libre Baskerville.
|
||||
|
||||
This Font Software is licensed under the SIL Open Font License, Version 1.1.
|
||||
This license is copied below, and is also available with a FAQ at:
|
||||
https://openfontlicense.org
|
||||
|
||||
|
||||
-----------------------------------------------------------
|
||||
SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007
|
||||
-----------------------------------------------------------
|
||||
|
||||
PREAMBLE
|
||||
The goals of the Open Font License (OFL) are to stimulate worldwide
|
||||
development of collaborative font projects, to support the font creation
|
||||
efforts of academic and linguistic communities, and to provide a free and
|
||||
open framework in which fonts may be shared and improved in partnership
|
||||
with others.
|
||||
|
||||
The OFL allows the licensed fonts to be used, studied, modified and
|
||||
redistributed freely as long as they are not sold by themselves. The
|
||||
fonts, including any derivative works, can be bundled, embedded,
|
||||
redistributed and/or sold with any software provided that any reserved
|
||||
names are not used by derivative works. The fonts and derivatives,
|
||||
however, cannot be released under any other type of license. The
|
||||
requirement for fonts to remain under this license does not apply
|
||||
to any document created using the fonts or their derivatives.
|
||||
|
||||
DEFINITIONS
|
||||
"Font Software" refers to the set of files released by the Copyright
|
||||
Holder(s) under this license and clearly marked as such. This may
|
||||
include source files, build scripts and documentation.
|
||||
|
||||
"Reserved Font Name" refers to any names specified as such after the
|
||||
copyright statement(s).
|
||||
|
||||
"Original Version" refers to the collection of Font Software components as
|
||||
distributed by the Copyright Holder(s).
|
||||
|
||||
"Modified Version" refers to any derivative made by adding to, deleting,
|
||||
or substituting -- in part or in whole -- any of the components of the
|
||||
Original Version, by changing formats or by porting the Font Software to a
|
||||
new environment.
|
||||
|
||||
"Author" refers to any designer, engineer, programmer, technical
|
||||
writer or other person who contributed to the Font Software.
|
||||
|
||||
PERMISSION & CONDITIONS
|
||||
Permission is hereby granted, free of charge, to any person obtaining
|
||||
a copy of the Font Software, to use, study, copy, merge, embed, modify,
|
||||
redistribute, and sell modified and unmodified copies of the Font
|
||||
Software, subject to the following conditions:
|
||||
|
||||
1) Neither the Font Software nor any of its individual components,
|
||||
in Original or Modified Versions, may be sold by itself.
|
||||
|
||||
2) Original or Modified Versions of the Font Software may be bundled,
|
||||
redistributed and/or sold with any software, provided that each copy
|
||||
contains the above copyright notice and this license. These can be
|
||||
included either as stand-alone text files, human-readable headers or
|
||||
in the appropriate machine-readable metadata fields within text or
|
||||
binary files as long as those fields can be easily viewed by the user.
|
||||
|
||||
3) No Modified Version of the Font Software may use the Reserved Font
|
||||
Name(s) unless explicit written permission is granted by the corresponding
|
||||
Copyright Holder. This restriction only applies to the primary font name as
|
||||
presented to the users.
|
||||
|
||||
4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font
|
||||
Software shall not be used to promote, endorse or advertise any
|
||||
Modified Version, except to acknowledge the contribution(s) of the
|
||||
Copyright Holder(s) and the Author(s) or with their explicit written
|
||||
permission.
|
||||
|
||||
5) The Font Software, modified or unmodified, in part or in whole,
|
||||
must be distributed entirely under this license, and must not be
|
||||
distributed under any other license. The requirement for fonts to
|
||||
remain under this license does not apply to any document created
|
||||
using the Font Software.
|
||||
|
||||
TERMINATION
|
||||
This license becomes null and void if any of the above conditions are
|
||||
not met.
|
||||
|
||||
DISCLAIMER
|
||||
THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
|
||||
EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF
|
||||
MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT
|
||||
OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE
|
||||
COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL
|
||||
DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
|
||||
FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM
|
||||
OTHER DEALINGS IN THE FONT SOFTWARE.
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user