#cms database
Explore tagged Tumblr posts
Text
Creating and Managing Database Connections in CMS is crucial for every business. Learn to create secure and scalable web applications from this guide.
#content management system#managing database connections#creating and managing database connections#creating a database connection#cms database#database connections in cms
0 notes
Text

Charles Milton Porter: Continuing input of audio data into the The Thinker's database. Subject: Pearl Porter.
Pearl Porter: I want to tell the recorder how we met, Milton.
Charles: Okay, sure.
Pearl: I was working in my family's diner. School was starting for the fall, and one morning in walks this college boy, clean cut… first thing I noticed was his eyes. He sat down and ordered bacon, eggs and coffee. He was shy, but we talked a little off and on. He came in every single morning for breakfast and ordered the same thing. I told my mama, that boy must really love your cooking! She said, he isn't coming in for the food, honey, he's coming in for you. A year later, we were married.
#cm porter#charles milton porter#pearl porter#the thinker#database#operations#programming#minerva's den#rapture#bioshock#bioshock 2#bioshock 2 dlc#bioshock the collection#bioshock: the collection#2K#video games#girls who game#nintendo#nintendo switch#nintendo switch games#switch#switch games
4 notes
·
View notes
Text
Using Pages CMS for Static Site Content Management
New Post has been published on https://thedigitalinsider.com/using-pages-cms-for-static-site-content-management/
Using Pages CMS for Static Site Content Management
Friends, I’ve been on the hunt for a decent content management system for static sites for… well, about as long as we’ve all been calling them “static sites,” honestly.
I know, I know: there are a ton of content management system options available, and while I’ve tested several, none have really been the one, y’know? Weird pricing models, difficult customization, some even end up becoming a whole ‘nother thing to manage.
Also, I really enjoy building with site generators such as Astro or Eleventy, but pitching Markdown as the means of managing content is less-than-ideal for many “non-techie” folks.
A few expectations for content management systems might include:
Easy to use: The most important feature, why you might opt to use a content management system in the first place.
Minimal Requirements: Look, I’m just trying to update some HTML, I don’t want to think too much about database tables.
Collaboration: CMS tools work best when multiple contributors work together, contributors who probably don’t know Markdown or what GitHub is.
Customizable: No website is the same, so we’ll need to be able to make custom fields for different types of content.
Not a terribly long list of demands, I’d say; fairly reasonable, even. That’s why I was happy to discover Pages CMS.
According to its own home page, Pages CMS is the “The No-Hassle CMS for Static Site Generators,” and I’ll to attest to that. Pages CMS has largely been developed by a single developer, Ronan Berder, but is open source, and accepting pull requests over on GitHub.
Taking a lot of the “good parts” found in other CMS tools, and a single configuration file, Pages CMS combines things into a sleek user interface.
Pages CMS includes lots of options for customization, you can upload media, make editable files, and create entire collections of content. Also, content can have all sorts of different fields, check the docs for the full list of supported types, as well as completely custom fields.
There isn’t really a “back end” to worry about, as content is stored as flat files inside your git repository. Pages CMS provides folks the ability to manage the content within the repo, without needing to actually know how to use Git, and I think that’s neat.
User Authentication works two ways: contributors can log in using GitHub accounts, or contributors can be invited by email, where they’ll receive a password-less, “magic-link,” login URL. This is nice, as GitHub accounts are less common outside of the dev world, shocking, I know.
Oh, and Pages CMS has a very cheap barrier for entry, as it’s free to use.
Pages CMS and Astro content collections
I’ve created a repository on GitHub with Astro and Pages CMS using Astro’s default blog starter, and made it available publicly, so feel free to clone and follow along.
I’ve been a fan of Astro for a while, and Pages CMS works well alongside Astro’s content collection feature. Content collections make globs of data easily available throughout Astro, so you can hydrate content inside Astro pages. These globs of data can be from different sources, such as third-party APIs, but commonly as directories of Markdown files. Guess what Pages CMS is really good at? Managing directories of Markdown files!
Content collections are set up by a collections configuration file. Check out the src/content.config.ts file in the project, here we are defining a content collection named blog:
import glob from 'astro/loaders'; import defineCollection, z from 'astro:content'; const blog = defineCollection( // Load Markdown in the `src/content/blog/` directory. loader: glob( base: './src/content/blog', pattern: '**/*.md' ), // Type-check frontmatter using a schema schema: z.object( title: z.string(), description: z.string(), // Transform string to Date object pubDate: z.coerce.date(), updatedDate: z.coerce.date().optional(), heroImage: z.string().optional(), ), ); export const collections = blog ;
The blog content collection checks the /src/content/blog directory for files matching the **/*.md file type, the Markdown file format. The schema property is optional, however, Astro provides helpful type-checking functionality with Zod, ensuring data saved by Pages CMS works as expected in your Astro site.
Pages CMS Configuration
Alright, now that Astro knows where to look for blog content, let’s take a look at the Pages CMS configuration file, .pages.config.yml:
content: - name: blog label: Blog path: src/content/blog filename: 'year-month-day-fields.title.md' type: collection view: fields: [heroImage, title, pubDate] fields: - name: title label: Title type: string - name: description label: Description type: text - name: pubDate label: Publication Date type: date options: format: MM/dd/yyyy - name: updatedDate label: Last Updated Date type: date options: format: MM/dd/yyyy - name: heroImage label: Hero Image type: image - name: body label: Body type: rich-text - name: site-settings label: Site Settings path: src/config/site.json type: file fields: - name: title label: Website title type: string - name: description label: Website description type: string description: Will be used for any page with no description. - name: url label: Website URL type: string pattern: ^(https?://)?(www.)?[a-zA-Z0-9.-]+.[a-zA-Z]2,(/[^s]*)?$ - name: cover label: Preview image type: image description: Image used in the social preview on social networks (e.g. Facebook, Twitter...) media: input: public/media output: /media
There is a lot going on in there, but inside the content section, let’s zoom in on the blog object.
- name: blog label: Blog path: src/content/blog filename: 'year-month-day-fields.title.md' type: collection view: fields: [heroImage, title, pubDate] fields: - name: title label: Title type: string - name: description label: Description type: text - name: pubDate label: Publication Date type: date options: format: MM/dd/yyyy - name: updatedDate label: Last Updated Date type: date options: format: MM/dd/yyyy - name: heroImage label: Hero Image type: image - name: body label: Body type: rich-text
We can point Pages CMS to the directory we want to save Markdown files using the path property, matching it up to the /src/content/blog/ location Astro looks for content.
path: src/content/blog
For the filename we can provide a pattern template to use when Pages CMS saves the file to the content collection directory. In this case, it’s using the file date’s year, month, and day, as well as the blog item’s title, by using fields.title to reference the title field. The filename can be customized in many different ways, to fit your scenario.
filename: 'year-month-day-fields.title.md'
The type property tells Pages CMS that this is a collection of files, rather than a single editable file (we’ll get to that in a moment).
type: collection
In our Astro content collection configuration, we define our blog collection with the expectation that the files will contain a few bits of meta data such as: title, description, pubDate, and a few more properties.
We can mirror those requirements in our Pages CMS blog collection as fields. Each field can be customized for the type of data you’re looking to collect. Here, I’ve matched these fields up with the default Markdown frontmatter found in the Astro blog starter.
fields: - name: title label: Title type: string - name: description label: Description type: text - name: pubDate label: Publication Date type: date options: format: MM/dd/yyyy - name: updatedDate label: Last Updated Date type: date options: format: MM/dd/yyyy - name: heroImage label: Hero Image type: image - name: body label: Body type: rich-text
Now, every time we create a new blog item in Pages CMS, we’ll be able to fill out each of these fields, matching the expected schema for Astro.
Aside from collections of content, Pages CMS also lets you manage editable files, which is useful for a variety of things: site wide variables, feature flags, or even editable navigations.
Take a look at the site-settings object, here we are setting the type as file, and the path includes the filename site.json.
- name: site-settings label: Site Settings path: src/config/site.json type: file fields: - name: title label: Website title type: string - name: description label: Website description type: string description: Will be used for any page with no description. - name: url label: Website URL type: string pattern: ^(https?://)?(www.)?[a-zA-Z0-9.-]+.[a-zA-Z]2,(/[^s]*)?$ - name: cover label: Preview image type: image description: Image used in the social preview on social networks (e.g. Facebook, Twitter...)
The fields I’ve included are common site-wide settings, such as the site’s title, description, url, and cover image.
Speaking of images, we can tell Pages CMS where to store media such as images and video.
media: input: public/media output: /media
The input property explains where to store the files, in the /public/media directory within our project.
The output property is a helpful little feature that conveniently replaces the file path, specifically for tools that might require specific configuration. For example, Astro uses Vite under the hood, and Vite already knows about the public directory and complains if it’s included within file paths. Instead, we can set the output property so Pages CMS will only point image path locations starting at the inner /media directory instead.
To see what I mean, check out the test post in the src/content/blog/ folder:
--- title: 'Test Post' description: 'Here is a sample of some basic Markdown syntax that can be used when writing Markdown content in Astro.' pubDate: 05/03/2025 heroImage: '/media/blog-placeholder-1.jpg' ---
The heroImage now property properly points to /media/... instead of /public/media/....
As far as configurations are concerned, Pages CMS can be as simple or as complex as necessary. You can add as many collections or editable files as needed, as well as customize the fields for each type of content. This gives you a lot of flexibility to create sites!
Connecting to Pages CMS
Now that we have our Astro site set up, and a .pages.config.yml file, we can connect our site to the Pages CMS online app. As the developer who controls the repository, browse to https://app.pagescms.org/ and sign in using your GitHub account.
You should be presented with some questions about permissions, you may need to choose between giving access to all repositories or specific ones. Personally, I chose to only give access to a single repository, which in this case is my astro-pages-cms-template repo.
After providing access to the repo, head on back to the Pages CMS application, where you’ll see your project listed under the “Open a Project” headline.
Clicking the open link will take you into the website’s dashboard, where we’ll be able to make updates to our site.
Creating content
Taking a look at our site’s dashboard, we’ll see a navigation on the left side, with some familiar things.
Blog is the collection we set up inside the .pages.config.yml file, this will be where we we can add new entries to the blog.
Site Settings is the editable file we are using to make changes to site-wide variables.
Media is where our images and other content will live.
Settings is a spot where we’ll be able to edit our .pages.config.yml file directly.
Collaborators allows us to invite other folks to contribute content to the site.
We can create a new blog post by clicking the Add Entry button in the top right
Here we can fill out all the fields for our blog content, then hit the Save button.
After saving, Pages CMS will create the Markdown file, store the file in the proper directory, and automatically commit the changes to our repository. This is how Pages CMS helps us manage our content without needing to use git directly.
Automatically deploying
The only thing left to do is set up automated deployments through the service provider of your choice. Astro has integrations with providers like Netlify, Cloudflare Pages, and Vercel, but can be hosted anywhere you can run node applications.
Astro is typically very fast to build (thanks to Vite), so while site updates won’t be instant, they will still be fairly quick to deploy. If your site is set up to use Astro’s server-side rendering capabilities, rather than a completely static site, the changes might be much faster to deploy.
Wrapping up
Using a template as reference, we checked out how Astro content collections work alongside Pages CMS. We also learned how to connect our project repository to the Pages CMS app, and how to make content updates through the dashboard. Finally, if you are able, don’t forget to set up an automated deployment, so content publishes quickly.
#2025#Accounts#ADD#APIs#app#applications#Articles#astro#authentication#barrier#Blog#Building#clone#cloudflare#CMS#Collaboration#Collections#content#content management#content management systems#custom fields#dashboard#data#Database#deploying#deployment#Developer#easy#email#Facebook
0 notes
Text
youtube
WordPress 6.6 - Huge Changes Coming Soon!
#WordPress#WordPress 6.6#technology#internet#computer#CMS#content management#software#engineer#program#programming#programmer#code#graphic design#typography#css#php#creative#graphic designer#ui#ux#user interface#user experience#database#mysql#Youtube
0 notes
Text
hey. does anyone know where to watch/download full eps of old roh
#cm punk#roh wrestling#ring of honor#💥#maybe im trying to create a database of punk content. who knows.
0 notes
Text
youtube
#Databaseless CMS#Grav cms#How to install grav#Grav php blogging platform#Grav vs Wordpress#Grav blogging#Grav installation#Blog tutorial#no database blog#Wordpress alternative#Youtube
0 notes
Text
CMS senza database. Creare siti e blog senza mysql.
Per capire cos’è un CMS senza database, innanzitutto dobbiamo capire cos’è un CMS. Un CMS (Content Management System) è un software che consente di gestire e organizzare il contenuto di un sito web. È uno strumento molto utile per coloro che desiderano creare e gestire un sito web senza dover scrivere codice da zero. Un CMS ti permette di aggiungere, modificare o eliminare facilmente il contenuto…
View On WordPress
0 notes
Text
youtube
Digital Marketing Services
TechAhead offers comprehensive digital marketing services that encompass various strategies and techniques, including SEO, social media marketing, content creation, and more, to help businesses establish a strong online presence and drive growth!
#https://www.techaheadcorp.com/#web application development#custom web development#web development services#responsive web development#mobile app development#software development#front-end development#back-end development#full-stack development#UI/UX design#web development company#website development#application development#e-commerce development#database development#API development#cloud-based development#CMS development#JavaScript development#PHP development#Python development#Ruby on Rails development#Java development#.NET development#Laravel development#TechAhead Corp#TechAheadCorp#techaheadcorp.com#Youtube
0 notes
Text
While you were sleeping ...
Federal judge puts back funding to USAID
Federal judge demands US put back health related federal websites
Judge Tanya Chutkan investigating Elon Musk's ability to run DOGE
The Department of Energy blocks firings of hundreds of employees who work for a key agency maintaining the U.S. nuclear weapons stockpile
Federal judge stops Trump from sending detainees to Cuba
Federal judge stops Trump from shutting down Consumer Protection Agency
DOGE now at CMS which covers Medicare, Medicaid, the Children's Health Insurance Program, and the Health Insurance Marketplace and are allied with Rachel Riley who worked at privatizing healthcare under Trump's first term.
Trump seeks to gut the National Oceanic and Atmospheric Administration and privatize the nation's weather reports and news
Judge blocks DOGE from sensitive Treasury Dept payment system, system being studied and re-programmed after DOGE invasion. expected to finish in August 25.
DOGE database on DOGE site found compromised, anyone can open and edit
Hundreds of federal workers illegally 'fired' from FEMA, DHS, CIS, CPA, the Coast Guard, USCIS, DHS' Science and Technology Directorate, the VA, Education and the US Forestry Service as well as half of the CDC Epidemic Intelligence Service, The Indian (Native American) Health Service. Centers for Medicare and Medicaid Services and the National Institutes for Health, HUD and NOAA.
There have been illegal mass firings of 'probationary' federal employees, those who have just taken on jobs up to those who have were hired 2 years ago.
After seven prosecutors quit refusing to give a Trump deal to NYC mayor, prosecutors put into room and all told they would be fired unless a prosecutor signed off on the deal - Eric Adams case has been dropped and as a result, Adams is allowing Trump immigration to invade NYC.
Trump signs order to block funding for schools that mandate Covid vaccines
Trump has already captured funds to house the homeless in NYC that were disbursed by FEMA
Elon Musk has charged the US gov 16 million to hack at government departments so far.
Elon Musk was granted a 400million deal to sell the US gov cybertrucks
Elon Musk is now going after NASA, despite being a contractor for NASA, Trump says Musk will 'police' his own conflicts of interest.
Trump inserts himself into 'negotiations' between Russia and Ukraine, siding with Russia and not guaranteeing that Ukraine will return to pre-war borders.
Apparently at negotiations, US handed President Zelenskyy a note (mafia style) seeking half of Ukraine's mineral rights, which Zelenskyy refused to acknowlege.
at Munich Security Conference VP Vance pushes the right-wing in Europe, shocking and angering NATO allies, changing US policy towards Putin and China. Trump now says there is no US intent to 'beat China'.
FAKE DOGE 'employees' appear in San Francisco city hall demanding access to state systems and data, leaving when confronted.
Trump makes himself head of the Kennedy Center for the Arts many staff resign and many artist pull out of sold-out shows.
#trump administration#illegal federal firings#federal employees#doge#elon musk#donald trump#jd vance#ukraine#russia#china#while you were sleeping#fuck this timeline#democracy#trump overreach#shitler youth#nato#news#federal judges
240 notes
·
View notes
Text
Jude Jazza's database for this year's Jp elections

• Birthday: December 13th
• Height: 177 cm
• Organisation: Crown
• Fairytale Curse: Sleeping Beauty- 13th Fairy
The president of a trading company, he is smart but also a bit cynical. He is often mistaken for being unsociable but surprisingly has a kind side.
(His affectionate level, goodness. 😂)
165 notes
·
View notes
Text
✨TS2 Default Masterlist (wip) ✨ by prixiepae
high res logo by @greatcheesecakepersona and background image is from ts2 default database (linked below!)
THIS IS A WORK IN PROGRESS! SO FAR ONLY THE FEMALE HAIRS ARE DONE! (most of them at least i need hiders for the rest)
i’m posting this here for new ts2 players who are particularly used to playing with lots of cc in the sims 4 (i have over 80 gb+ in my sims 4 mods folder). i am not a sims 2 expert i just have a cc addiction.
the sims 2 is my favorite game and since the rerelease last week, i am inspired to play again (aka i will be redownloading the starter pack and seeing how it runs). to help my computer not explode my goal for cas is to ONLY download default replacements for the in-game items. ts2 is charming and lovely but i need it to be personalized so i can get back into playing again.
BEFORE YOU READ MY RAMBLES:
this entire spreadsheet would not be possible without ts2 default database! you NEED this to follow my spreadsheet and it is a useful tool for tracking your own defaults.
if you like the look of ts4 clay hair, platinumaspiration has literally replaced every single hair in the game.
if you like the look of realistic hair, malvernsims has replaced probably every single hair AND clothing item in the game.
only download ONE default replacement per item!
some things to consider:
here are the common abbreviations used when talking about defaults:
af/am = adult female/male
yf/ym = young adult female/male (young adults are only available in uni)
ef/em = elder female/male
tf/tm = teen female/male
cf/cm = child female/male
pf/pm = toddler female/male
u = unisex
uu = unisex for life stage and gender
this is my list so obviously i picked defaults that i like. feel free to make a copy and edit the links.
the hairs i picked are in the poppet v2 hair system. in the ts2 there are many hair systems from different creators (here's a comparison chart that's helpful in picking which system you like) and essentially they make edits to the maxis colors/textures for others to use. i recommend sticking with one system so that the hair colors will match (or don’t, it’s your game!)
many hairs have different color variants. since the ts2 does not have a swatch system like in ts4, different variations of the same hair count as separate hairs. so for example, the adult female “dreadsband” hair has 5 color variants: blue, dark, maroon, tan, and myrtle. since i am relying on only default hairs i have 5 different hairs that replace all the variants. if you don’t want to do that, i would recommend downloading hiders for all or some of the variants depending on what you prefer!
if something is left out i either: couldn’t find a replacement and will download a hider, i didn’t want to replace it (this will be in the case for a select few clothing items i like), i haven’t gotten to it yet, or more often then not, i forgot!
i hope this is helpful for anyone :)
127 notes
·
View notes
Text
Creating and Managing Database Connections in CMS
Specifically in content management systems (CMS), databases play an essential part in contemporary web development. A database connection in cms acts as an interface between a web application and a database server, enabling data retrieval and manipulation for the application. In this article, we are going to discuss the basics of creating and managing database connections in CMS by considering best practices and potential pitfalls.
Non-technical users can produce and manage material on websites with the use of content management systems. A CMS's efficiency, however, depends upon its capacity for access to information and manipulation. CMS developers must have a thorough understanding of database connections to ensure the system's data storage and retrieval function effectively. Without a properly configured database connection, a CMS cannot retrieve and display content correctly. Additionally, CMS developers must be proficient in database optimization to ensure quick loading times and efficient performance.
What is a database connection?
A database connection is a communication medium between a web application and a database server. It makes it possible for the application to carry out database activities including insertion, updating, and retrieval of data. Database connections use specific protocols and APIs to facilitate data exchange between the application and the database.
Types of database connections
There are two primary types of database connections: persistent and non-persistent. Persistent connections remain open between the application and the database, even after the application has finished executing. Non-persistent connections, on the other hand, are closed once the application finishes executing.
Persistent connections are faster, as they eliminate the overhead of establishing a new connection every time the application needs to access the database. However, persistent connections can lead to scalability issues and are not suitable for all types of applications.
Creating a database connection
Creating a database connection in a CMS involves several steps. First, the developer must identify the database server's hostname, port number, and database name. The next step is to choose a programming language and database driver that is compatible with the CMS.
For example, a PHP-based CMS may use the MySQLi driver to access a MySQL database. Once the developer has identified the required parameters and drivers, they can create a connection object and use it to execute database operations.
Also Read: Creating and Managing User Roles and Permissions in CMS
Best practices for managing database connections
Effective management of database connections is critical to ensuring the CMS operates smoothly and can handle large volumes of traffic. Some best practices for managing database connections include:
Closing connections when not in use:
Persistent connections may cause scalability problems and server resource consumption. Developers should close connections when they aren't in use to prevent this.
Putting connection pooling into monitoring connection usage:
To find and fix performance problems, developers should monitor connection usage. A sudden increase in connection usage, for instance, might point to a problem with the application server or database server. Connection pooling is a technique that involves reusing current database connections to cut down on the overhead of creating new connections.
Monitoring connection usage:
Developers should monitor connection usage to identify and address performance issues. For example, a sudden spike in connection usage may indicate a problem with the application or database server.
Potential pitfalls of database connections
Database connections are necessary for CMS development, but they can also lead to security flaws. SQL injection attacks, for instance, can happen when malicious users insert malicious code into a database query. Developers should use prepared statements to stop injection attacks and sanitise user input to prevent this from happening.
Conclusion
In conclusion, database connections play a vital role in the functionality of a CMS, as they allow the system to retrieve and store data efficiently. These connections, however, might result in performance problems and even breaches of security if improperly managed. Developers must therefore be aware of the many kinds of database connections, including permanent and non-persistent connections, as well as the best practices for handling them.
One potential pitfall that developers must be aware of is connection pooling, which can lead to resource depletion and a decrease in performance if not implemented correctly. The execution of prepared queries and input validation are only two additional measures that developers must take to stop SQL injection attacks.
Developers may build trustworthy, secure, and scalable online applications that satisfy the expectations of their customers by comprehending the various connection types, putting best practices for connection management into practice, and being aware of potential dangers.
#content management system#cms database#managing database connections#creating and managing database connections#cms website development
0 notes
Text

Porter: Continuing input of audio data into The Thinker's database. Subject: Pearl Porter.
Pearl: Dear Milton: I'm recording this on the… sixth straight day since you were home last. I know your work is important to the war effort. But you're not even allowed to tell me what you're working on, and that's so… frustrating. London is a beautiful city… but it isn't home. I… I hope I'll see you soon, Milton… I -- *Scratching sounds*
Porter: Ending input.
#cm porter#charles milton porter#pearl porter#the thinker#minerva's den#database#war effort#ww2#london#the enigma code#alan turing#marriage#audio diary#audio diaries#bioshock#bioshock 2#bioshock 2 dlc#bioshock the collection#bioshock: the collection#2K#video games#girls who game#nintendo#nintendo switch#nintendo switch games#switch#switch games
0 notes
Text
Senku in Africa writing home
Subject: Specimen Observation: Bactrododema tiaratum Attachment: stickbug_photo1.jpg
Yo.
Caught this guy clinging to the mesh above our field station sink at 03:47 this morning. Almost mistook it for a twig someone used to prop the window open until it blinked at me. Classic.
Observed Specimen:
Species: Bactrododema tiaratum (local ID confirmed with regional biodiversity database)
Estimated Length: ~18.2 cm
Behavior: Motionless for approx. 14 minutes before minor locomotion triggered by ambient vibration. Defensive drop reflex observed and recorded. No chemical discharge during encounter, though posterior gland ridges suggest capability.
Location: Western Uganda, edge of Kibale ecosystem, elevation ~1100m
Notes:
This stick bug’s mimicry is textbook perfection. The thorax segmentation, leg angle articulation, and even the sway mimic branch behavior under wind stress (which was nonexistent at the time). Evolutionary pressure clearly produced peak efficiency here. You could walk past a dozen and never notice unless your pattern recognition’s tuned to ridiculous levels (like mine, obviously).
Also—its eggs mimic plant seeds. Which means they’ve hacked ant behavior to move their offspring underground. Science is ten billion percent amazing.
Anyway, I’ve attached a photo. If I wasn’t surrounded by mosquito-bitten chaos and broken lab fridges, I’d have collected the molt and started testing its tensile strength. (Still might.)
Hope your weeks are boring and predictable. Mine isn’t.
– Senku
P.S. Yuzuriha: You’d probably try to make it a pet. P.P.S. Taiju: Please don’t ask if it’s edible. P.P.P.S. Old man: I already named it so don't send back any dumb ass suggestions.
(Moments from new chapter in my fic where Senku apparently sent stuff to Yuzuriha, Taiju, and Byakuya a little expanded. CLICK HERE)
66 notes
·
View notes
Text
Sonyasims Your Nature is a hair that was 4t2 converted by @entropy-sims. @brandinotbroke made a lower-poly version of it. Now I come to you with the FtM conversion of that lower-poly version, onto which I pasted all the recolors of the F version that I could find in @krabbysims invaluable database. None of the textures are mine, many thanks to the creators credited below.
All the hairs on this post are for CM-EM. The meshes are around 14.4k poly and retain the smooth-boning and animation of the F version.
Previews, downloads and creator resources below.
[from left to right: SparklingAmber, Pipebomb, Explosive2, Lucifer & Honey - there's 25 recolors in total, a swatch is in the download]
F version by @entropy-sims. Binned and familied, elders go grey. As with Entropy's F version, the elder greys are on the same files as the blacks + there are additional separate grey files for CM-AM.
Download with Entropy textures: SFS / Mega
~
[from left to right: Mailbomb, Orias, Serqet, Pyro, Isis - there's 25 recolors in total, a swatch is in the download]
F version by @fakebloood. Binned and familied, elders go grey. As I've done before with Fakeblood copy-pastas, I put the greys on separate files from the blacks.
Download with Fakeblood textures: SFS / Mega
~
[from left to right: Dynamite, Mailbomb, Pyrotechnic, Volatile, DepthCharge]
F version by @goatskickin. Binned and familied, elders go grey, grey on the same file as black.
Download with Goat textures: SFS / Mega
~
F version by @antoninko. Binned and familied except for the customs, elders go grey, grey on the same file as black.
Download with Antoninko textures: SFS / Mega
@sunshine-hair-system
~
F version by @moyokeansimblr. Binned and familied, elders go grey, grey on the same file as black.
Download with Moyokean textures: SFS / Mega
@the-afterglow-archive
~
F version by @rascalcurious. Binned and familied, elders go grey, grey on the same file as black.
Download with RascalCurious textures: SFS / Mega
~
F version by @y2sims. Binned and familied, elders go grey, grey on the same file as black.
Download with Y2sims textures: SFS / Mega
~
F version by SocialBunny @55woodlanddrive. Binned and familied, elders go grey, grey on the same file as black.
Download with SocialBunny textures: SFS / Mega
@poppethair
~
For creators
AM ↓
TM ↓
Download M mesh + unbinned volatile: SFS / Mega Download combined F&M meshes + unbinned volatiles: SFS / Mega
The volatile texture is Entropy's.
101 notes
·
View notes
Text

There are many web hosting companies to choose from if you're taking the plunge into making your own website with a comic content management system (CMS) like ComicControl or Grawlix, a Wordpress comic theme like Toocheke or ComicPress, or a HTML template to cut/paste code like Rarebit. While these solutions are generally free, finding a home for them is... generally not. It can be hard to choose what's best for your webcomic AND your budget!
We took a look at a few of the top hosting services used by webcomics creators using webcomic CMSes, and we put out a poll to ask your feedback about your hosts!
This post may be updated as time goes on as new services enter the hosting arena, or other important updates come to light.
Questions:
💻 I can get a free account with Wix/Squarespace/Carrd, could I just use those for my comic? - Web hosts like this may have gallery functions that could be adapted to display a series of pages, but they are very basic and not intended for webcomics.
��� Wait, I host on Webtoon, Tapas, Comic Fury, or some other comic website, why are they not here? - Those are comic platforms! We'll get into those in a future post!
🕵️♀️Why does it say "shared hosting"? Who am I sharing with? - "Shared hosting" refers to sharing the server space with other customers. They will not have access to your files or anything, so it is perfectly fine to use for most comic CMSes. You may experience slowing if there is too much activity on a server, so if you're planning to host large files or more than 10 comics, you may want to upgrade to a more robust plan in the future.
Web Host List
Neocities
Basic plan pricing: Free or $5/month. Free plan has more restrictions (1 GB space, no custom domain, and slower bandwidth, among other things)
Notes: Neocities does not have database support for paid or free accounts, and most comic CMS solutions require this (ComicCtrl, Grawlix, Wordpress). You will need to work with HTML/CSS files directly to make a website and post each page.
Hostinger
Basic plan pricing: $11.99/month or $7.99/month with four year commitment (monthly, 1, 2, and 4 year plans available).
Notes: Free domain for the 1st year. Free SSL Certifications. Weekly backups.
KnownHost
Basic plan pricing: $8.95/month or $7.99/month with four year commitment (monthly, 1, 2, and 4 year plans available).
Notes: Free DDOS protection. Free SSL Certifications.
InMotion Hosting
Basic plan pricing: $12.99/month or $9.99/month with three year commitment (monthly, 1, and 3 year plans available).
Notes: Free SSL Certifications, free domain names for 1 and 3 year plans. 24/7 live customer service and 90-day money-back guarantee. Inmotion also advertises eco-friendly policies: We are the first-ever Green Data Center in Los Angeles. We cut cooling costs by nearly 70 percent and reduce our carbon output by more than 2,000 tons per year.
Reviews:
👍“I can't remember it ever going down.”
👍“InMotion has a pretty extensive library full of various guides on setting up and managing websites, servers, domains, etc. Customer service is also fairly quick on responding to inquiries.” 👎“I wish it was a bit faster with loading pages.”
Ionos Hosting
Basic plan pricing: $8/month or $6/month with three year commitment (monthly, 1, 2 and 3 year plans available).
Notes: Free domain for the first year, free SSL Certification, Daily backup and recovery is included. Site Scan and Repair is free for the first 30 days and then is $6/month.
Reviews:
👍“Very fast and simple” 👎“Customer service is mediocre and I can't upload large files”
Bluehost
Basic plan pricing: $15.99/month or $4.95/month with three year commitment (monthly, 1, 3 year plans available).
Notes: Free domain and SSL certificates (for first year only). 24/7 Customer Service. Built to handle higher traffic websites. Although they specialize in Wordpress websites and provide updates automatically, that's almost a bad thing for webcomic plugins because they will often break your site. Their cloud hosting services are currently in early access with not much additional information available.
Reviews:
👎"The fees keep going up. Like I could drop $100 to cover a whole year, but now I'm paying nearly $100 for just three months. It's really upsetting."
👎"I have previously used Bluehost’s Wordpress hosting service and have had negative experiences with the service, so please consider with a grain of salt. I can confirm at least that their 24/7 customer service was great, although needed FAR too often."
Dreamhost
Basic plan pricing: $7.99/month or $5.99/month with three year commitment (monthly, 1, 3 year plans available).
Notes: Free SSL Certificates, 24/7 support with all plans, 97-day moneyback guarantee. Not recommended for ComicCtrl CMS
Reviews:
👍“They've automatically patched 2 security holes I created/allowed by mistake.” 👍“Prices are very reasonable” 👎 “back end kind of annoying to use” 👎 “wordpress has some issues” 👎 “it's not as customizable as some might want“
GoDaddy
Basic plan pricing: $11.99/month or $9.99/month with three year commitment (monthly, 1, 2, and 3 year plans available).
Notes: Free 24/7 Customer service with all plans, Free SSL Certificates for 1 year, free domain and site migration.
Reviews:
👍Reasonable intro prices for their Economy hosting, which has 25GB of storage 👍Migrated email hosting service from cPanel to Microsoft Office, which has greater support but may not be useful for most webcomic creators. 👎 Many site issues and then being upsold during customer service attempts. 👎 Server quality found lacking in reviews 👎 Marketing scandals in the past with a reputation for making ads in poor taste. Have been attempting to clean up that image in recent years. 👎 “GoDaddy is the McDonald's of web hosting. Maybe the Wal-Mart of hosting would be better. If your website was an object you would need a shelf to put it on. You go to Wal-Mart and buy a shelf. It's not great. It's not fancy. It can only hold that one thing. And if we're being honest - if the shelf broke and your website died it wouldn't be the end of the world.The issue comes when you don't realize GoDaddy is the Wal-Mart of hosting. You go and try to do things you could do with a quality shelf. Like, move it. Or add more things to it.” MyWorkAccountThisIs on Reddit*
Things to consider for any host:
💸 Introductory/promotional pricing - Many hosting companies offer free or inexpensive deals to get you in the door, and then raise the cost for these features after the first year or when you renew. The prices in this post are the base prices that you can expect to pay after the promotional prices end, but may get outdated, so you are encouraged to do your own research as well.
💻 Wordpress hosting - Many of the companies below will have a separate offering for Wordpress-optimized hosting that will keep you updated with the latest Wordpress releases. This is usually not necessary for webcomic creators, and can be the source of many site-breaking headaches when comic plugins have not caught up to the latest Wordpress releases.
Any basic hosting plan on this list will be fine with Wordpress, but expect to stop or revert Wordpress versions if you go with this as your CMS.
🤝 You don't have to go it alone - While free hosts may be more limited, paid hosting on a web server will generally allow you to create different subdomains, or attach additional purchased domains to any folders you make. If you have other comic-making friends you know and trust, you can share your server space and split the cost!
Want to share your experience?
Feel free to contribute your hosting pros, cons, and quirks on our survey! We will be updating our list periodically with your feedback!
156 notes
·
View notes