dnd-character


Namednd-character JSON
Version 23.7.29 PyPI version JSON
download
home_pagehttps://github.com/tassaron/dnd-character
Summarymake Dungeons & Dragons characters as serializable objects
upload_time2023-07-30 01:49:38
maintainer
docs_urlNone
authorBrianna Rainey
requires_python
licenseEPL-2.0
keywords dnd trpg tabletop rpg
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage
            # dnd-character

A Python library to make 5e Dungeons & Dragons characters for use in another app. Characters are serializable into Python dicts so they can be saved and loaded however you wish.

SRD rules are fetched from the [5e SRD API](https://github.com/5e-bits/5e-srd-api) the first time they're requested, then the JSON is cached locally for faster retrieval in the future. I've included the `json_cache` containing the SRD inside the repo in case this API changes, but when the API does change I will update this library. So please pin your version if you want to avoid any breaking changes.

You can use this library as a CLI tool to generate character sheets from the terminal; see `python -m dnd_character --help` for details.

## Installation and Use

1. Install from PyPI using `pip install dnd-character`
1. See `example.py` for example code on how to use the library.
1. Generate random character sheet text file with `python -m dnd_character --random > mycharactername.txt`

## Licenses

The software is EPL-2.0 and the text for this license is in `LICENSE` as is standard for software. Originally forked from [PyDnD](https://github.com/Coffee-fueled-deadlines/PyDnD). The contents of `dnd_character/json_cache` are retrieved from [5e-srd-api](https://github.com/5e-bits/5e-srd-api), and are covered by the Open Game License. See `dnd_character/json_cache/OGLv1.0a.txt` for details.

## Example Code

### Creating Characters and Monsters

The `classes` module has functions for creating all 12 classes from the System Reference Document. The `monsters` module has a factory function for creating monsters.

```python
from dnd_character.classes import Bard
from dnd_character.monsters import Monster
from random import randint

brianna = Bard(
    name="Brianna",
    level=10,
    )
zombie = Monster("zombie")
attack_bonus = zombie.actions[0]["attack_bonus"]
# Zombie rolls a d20 to attack a Bard
if randint(1, 20) + attack_bonus >= brianna.armor_class:
    print(f"{brianna.name} was hit by {zombie.name}!")
else:
    print(f"{brianna.name} bravely dodged the attack")
```

### Leveling and Experience

The library should help leveling up characters automatically if you manage the Character's `experience` attribute. It's simpler to avoid modifying the level directly.

```python
from dnd_character import Character
thor = Character(name="Thor")
assert thor.level == 1
thor.experience += 1000
assert thor.level == 3
assert thor.experience.to_next_level == 1700
thor.experience += thor.experience.to_next_level
assert thor.level == 4
```

### Starting Equipment

Characters initialized with a class will have the starting equipment of that class, and an attribute called `player_options` which lists the optional starting equipment.

```python
from dnd_character.classes import Paladin
from dnd_character.equipment import Item
from pprint import pprint
sturm = Paladin(dexterity=10)
pprint(sturm.inventory)
print(sturm.armor_class)
# Remove Chain Mail
sturm.remove_item(sturm.inventory[0])
print(sturm.armor_class)
# New Item
dragonlance = Item('lance')
dragonlance.name = "Dragonlance®"
sturm.give_item(dragonlance)
# View optional starting equipment
pprint(sturm.player_options)
```

### Using Spells

Spells are represented by _SPELL objects from `dnd_character.spellcasting`. The best way to find spells is using the `spells_for_class_level` function.

```python
from dnd_character.spellcasting import spells_for_class_level
cantrips = spells_for_class_level('wizard', 0)
print(f"Cantrips available to a Wizard:")
for spell in cantrips:
    print(spell)
```

Characters have lists to store _SPELL objects:

- `spells_prepared`
- `spells_known`
- `cantrips_known`

Characters have a `spell_slots` dictionary which shows the **total** spell slots. Depletion and rest mechanics are planned for a future version.

```python
from dnd_character import Wizard
from dnd_character.spellcasting import SPELLS
# Create wizard and teach Identify, a level 1 spell
my_wizard = Wizard(name="Gormwinkle")
my_wizard.spells_prepared.append(SPELLS["identify"])
# Get total spell slots
spell_slots_level_1 = my_wizard.spell_slots["spell_slots_level_1"]
print(f"{my_wizard.name} has {spell_slots_level_1} spell slots of 1st level")
# Cast until wizard runs out of spell slots
while spell_slots_level_1 > 0:
    print(f"Casting {SPELLS['identify'].name}!")
    spell_slots_level_1 -= 1
```

There is currently no way to manage wizard spellbooks or class-specific features such as the Wizard's arcane recovery or the Sorcerer's metamagic.

## Character Object

Normal initialization arguments for a Character object:

```text
name         (str)
age          (str)
gender       (str)
level        (int): starting level
hp           (int)
alignment    (str): character's two letter alignment (LE, CG, TN, etc.)
description  (str): physical description of player character
background   (str): one-word backstory (e.g., knight, chef, acolyte)
wealth       (int): if None, roll 4d10 for starting gp (gold pieces)
strength     (int): if None, roll 4d6 and drop the lowest
dexterity    (int): if None, roll 4d6 and drop the lowest
constitution (int): if None, roll 4d6 and drop the lowest
wisdom       (int): if None, roll 4d6 and drop the lowest
intelligence (int): if None, roll 4d6 and drop the lowest
charisma     (int): if None, roll 4d6 and drop the lowest
classs    (_CLASS): a D&D class object (e.g., CLASSES['bard'])
```

In addition, the Character object can receive attributes that are normally set automatically, such as the UUID. This is for re-loading the objects from serialized data (via `Character(**characterData)`) and probably aren't arguments you would write manually into your code.

## Serializing objects

All objects in this library can be turned into Python dicts, which can then be turned back into objects. This means characters (along with their items and spells), and monsters as well.

- `dict(object)` creates a serializable dict that could be reloaded from text (e.g., suitable for conversion to and from JSON)
- `repr(object)` prints a string that would re-construct the Python object if pasted into a REPL
- `str(object)` is not for serialization. It creates a "user-friendly" string

## Contributing

I greatly appreciate feedback about desired features and information about how you're using this library. Please feel free to open an issue or pull request on GitHub! I would be happy to help merge any contributions no matter your skill level.



            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/tassaron/dnd-character",
    "name": "dnd-character",
    "maintainer": "",
    "docs_url": null,
    "requires_python": "",
    "maintainer_email": "",
    "keywords": "dnd trpg tabletop rpg",
    "author": "Brianna Rainey",
    "author_email": "",
    "download_url": "https://files.pythonhosted.org/packages/f5/01/def7ad48e90036b108cf853cca6f289cb7f5efe309ed4c767159b3e00697/dnd_character-23.7.29.tar.gz",
    "platform": null,
    "description": "# dnd-character\n\nA Python library to make 5e Dungeons & Dragons characters for use in another app. Characters are serializable into Python dicts so they can be saved and loaded however you wish.\n\nSRD rules are fetched from the [5e SRD API](https://github.com/5e-bits/5e-srd-api) the first time they're requested, then the JSON is cached locally for faster retrieval in the future. I've included the `json_cache` containing the SRD inside the repo in case this API changes, but when the API does change I will update this library. So please pin your version if you want to avoid any breaking changes.\n\nYou can use this library as a CLI tool to generate character sheets from the terminal; see `python -m dnd_character --help` for details.\n\n## Installation and Use\n\n1. Install from PyPI using `pip install dnd-character`\n1. See `example.py` for example code on how to use the library.\n1. Generate random character sheet text file with `python -m dnd_character --random > mycharactername.txt`\n\n## Licenses\n\nThe software is EPL-2.0 and the text for this license is in `LICENSE` as is standard for software. Originally forked from [PyDnD](https://github.com/Coffee-fueled-deadlines/PyDnD). The contents of `dnd_character/json_cache` are retrieved from [5e-srd-api](https://github.com/5e-bits/5e-srd-api), and are covered by the Open Game License. See `dnd_character/json_cache/OGLv1.0a.txt` for details.\n\n## Example Code\n\n### Creating Characters and Monsters\n\nThe `classes` module has functions for creating all 12 classes from the System Reference Document. The `monsters` module has a factory function for creating monsters.\n\n```python\nfrom dnd_character.classes import Bard\nfrom dnd_character.monsters import Monster\nfrom random import randint\n\nbrianna = Bard(\n    name=\"Brianna\",\n    level=10,\n    )\nzombie = Monster(\"zombie\")\nattack_bonus = zombie.actions[0][\"attack_bonus\"]\n# Zombie rolls a d20 to attack a Bard\nif randint(1, 20) + attack_bonus >= brianna.armor_class:\n    print(f\"{brianna.name} was hit by {zombie.name}!\")\nelse:\n    print(f\"{brianna.name} bravely dodged the attack\")\n```\n\n### Leveling and Experience\n\nThe library should help leveling up characters automatically if you manage the Character's `experience` attribute. It's simpler to avoid modifying the level directly.\n\n```python\nfrom dnd_character import Character\nthor = Character(name=\"Thor\")\nassert thor.level == 1\nthor.experience += 1000\nassert thor.level == 3\nassert thor.experience.to_next_level == 1700\nthor.experience += thor.experience.to_next_level\nassert thor.level == 4\n```\n\n### Starting Equipment\n\nCharacters initialized with a class will have the starting equipment of that class, and an attribute called `player_options` which lists the optional starting equipment.\n\n```python\nfrom dnd_character.classes import Paladin\nfrom dnd_character.equipment import Item\nfrom pprint import pprint\nsturm = Paladin(dexterity=10)\npprint(sturm.inventory)\nprint(sturm.armor_class)\n# Remove Chain Mail\nsturm.remove_item(sturm.inventory[0])\nprint(sturm.armor_class)\n# New Item\ndragonlance = Item('lance')\ndragonlance.name = \"Dragonlance\u00ae\"\nsturm.give_item(dragonlance)\n# View optional starting equipment\npprint(sturm.player_options)\n```\n\n### Using Spells\n\nSpells are represented by _SPELL objects from `dnd_character.spellcasting`. The best way to find spells is using the `spells_for_class_level` function.\n\n```python\nfrom dnd_character.spellcasting import spells_for_class_level\ncantrips = spells_for_class_level('wizard', 0)\nprint(f\"Cantrips available to a Wizard:\")\nfor spell in cantrips:\n    print(spell)\n```\n\nCharacters have lists to store _SPELL objects:\n\n- `spells_prepared`\n- `spells_known`\n- `cantrips_known`\n\nCharacters have a `spell_slots` dictionary which shows the **total** spell slots. Depletion and rest mechanics are planned for a future version.\n\n```python\nfrom dnd_character import Wizard\nfrom dnd_character.spellcasting import SPELLS\n# Create wizard and teach Identify, a level 1 spell\nmy_wizard = Wizard(name=\"Gormwinkle\")\nmy_wizard.spells_prepared.append(SPELLS[\"identify\"])\n# Get total spell slots\nspell_slots_level_1 = my_wizard.spell_slots[\"spell_slots_level_1\"]\nprint(f\"{my_wizard.name} has {spell_slots_level_1} spell slots of 1st level\")\n# Cast until wizard runs out of spell slots\nwhile spell_slots_level_1 > 0:\n    print(f\"Casting {SPELLS['identify'].name}!\")\n    spell_slots_level_1 -= 1\n```\n\nThere is currently no way to manage wizard spellbooks or class-specific features such as the Wizard's arcane recovery or the Sorcerer's metamagic.\n\n## Character Object\n\nNormal initialization arguments for a Character object:\n\n```text\nname         (str)\nage          (str)\ngender       (str)\nlevel        (int): starting level\nhp           (int)\nalignment    (str): character's two letter alignment (LE, CG, TN, etc.)\ndescription  (str): physical description of player character\nbackground   (str): one-word backstory (e.g., knight, chef, acolyte)\nwealth       (int): if None, roll 4d10 for starting gp (gold pieces)\nstrength     (int): if None, roll 4d6 and drop the lowest\ndexterity    (int): if None, roll 4d6 and drop the lowest\nconstitution (int): if None, roll 4d6 and drop the lowest\nwisdom       (int): if None, roll 4d6 and drop the lowest\nintelligence (int): if None, roll 4d6 and drop the lowest\ncharisma     (int): if None, roll 4d6 and drop the lowest\nclasss    (_CLASS): a D&D class object (e.g., CLASSES['bard'])\n```\n\nIn addition, the Character object can receive attributes that are normally set automatically, such as the UUID. This is for re-loading the objects from serialized data (via `Character(**characterData)`) and probably aren't arguments you would write manually into your code.\n\n## Serializing objects\n\nAll objects in this library can be turned into Python dicts, which can then be turned back into objects. This means characters (along with their items and spells), and monsters as well.\n\n- `dict(object)` creates a serializable dict that could be reloaded from text (e.g., suitable for conversion to and from JSON)\n- `repr(object)` prints a string that would re-construct the Python object if pasted into a REPL\n- `str(object)` is not for serialization. It creates a \"user-friendly\" string\n\n## Contributing\n\nI greatly appreciate feedback about desired features and information about how you're using this library. Please feel free to open an issue or pull request on GitHub! I would be happy to help merge any contributions no matter your skill level.\n\n\n",
    "bugtrack_url": null,
    "license": "EPL-2.0",
    "summary": "make Dungeons & Dragons characters as serializable objects",
    "version": "23.7.29",
    "project_urls": {
        "Homepage": "https://github.com/tassaron/dnd-character"
    },
    "split_keywords": [
        "dnd",
        "trpg",
        "tabletop",
        "rpg"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e0f450ef2fa8aa1754a5a56e6fc5414a3f3804f1c898eba1e39102a0d613eacf",
                "md5": "d1aa3b39f85502d7c8c686b33a7610e0",
                "sha256": "ea1283db0743e2785de3ca879017a2aea4c0cb837699e545965790e537446a7d"
            },
            "downloads": -1,
            "filename": "dnd_character-23.7.29-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "d1aa3b39f85502d7c8c686b33a7610e0",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": null,
            "size": 1164657,
            "upload_time": "2023-07-30T01:49:36",
            "upload_time_iso_8601": "2023-07-30T01:49:36.550417Z",
            "url": "https://files.pythonhosted.org/packages/e0/f4/50ef2fa8aa1754a5a56e6fc5414a3f3804f1c898eba1e39102a0d613eacf/dnd_character-23.7.29-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "f501def7ad48e90036b108cf853cca6f289cb7f5efe309ed4c767159b3e00697",
                "md5": "1ae9748ec01613fde77ade3aedfd5150",
                "sha256": "43391ac1d2ea648b615bb8027eea80327a046285287e265e0b8a89fceef10426"
            },
            "downloads": -1,
            "filename": "dnd_character-23.7.29.tar.gz",
            "has_sig": false,
            "md5_digest": "1ae9748ec01613fde77ade3aedfd5150",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": null,
            "size": 474732,
            "upload_time": "2023-07-30T01:49:38",
            "upload_time_iso_8601": "2023-07-30T01:49:38.679459Z",
            "url": "https://files.pythonhosted.org/packages/f5/01/def7ad48e90036b108cf853cca6f289cb7f5efe309ed4c767159b3e00697/dnd_character-23.7.29.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2023-07-30 01:49:38",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "tassaron",
    "github_project": "dnd-character",
    "travis_ci": false,
    "coveralls": true,
    "github_actions": true,
    "lcname": "dnd-character"
}
        
Elapsed time: 0.09393s