#svg in source link
Explore tagged Tumblr posts
charlignon · 2 years ago
Text
Tumblr media
Petition to make this the next Tumblr app icon
167 notes · View notes
shehimin · 9 months ago
Text
Edgaring time!
Tutorial on how to make your own responsive Edgar :D I will try to explain it in really basic terms, like you’ve never touched a puter (which if you’re making this… I’m sure you’ve touched plenty of computers amirite??? EL APLAUSO SEÑOOOREEES).
If you have some experience I tried to highlight the most important things so you won’t have to read everything, this is literally building a website but easier.
I will only show how to make him move like this:
Tumblr media
Disclaimer: I’m a yapper.
Choosing an engine First of all you’ll need something that will allow you to display a responsive background, I used LivelyWallpaper since it’s free and open-source (we love open-source).
Choosing an IDE Next is having any IDE to make some silly code! (Unless you can rawdog code… Which would be honestly impressive and you need to slide in my DMs and we will make out) I use Visual Studio!!!
So now that we have those two things we just need to set up the structure we will use.
Project structure
We will now create our project, which I will call “Edgar”, we will include some things inside as follows:
Edgar
img (folder that will contain images) - thumbnail.png (I literally just have a png of his face :]) - [some svgs…]
face.js (script that will make him interactive)
index.html (script that structures his face!)
LivelyInfo,json (script that LivelyWallpaper uses to display your new wallpaper)
style.css (script we will use to paint him!)
All of those scripts are just literally like a “.txt” file but instead of “.txt” we use “.js”, “.html”, etc… You know? We just write stuff and tell the puter it’s in “.{language}”, nothing fancy.
index.html
Basically the way you build his silly little face! Here’s the code:
<!doctype html> <html>     <head>         <meta charset="utf-8">         <title>Face!</title>         <link rel = "stylesheet" type = "text/css" href = "style.css">     </head>     <body>         <div class="area">             <div class="face">                 <div class="eyes">                     <div class="eyeR"></div>                     <div class="eyeL"></div>                 </div>                 <div class="mouth"></div>             </div>         </div>         <script src="face.js"></script>     </body> </html>
Ok so now some of you will be thinking “Why would you use eyeR and eyeL? Just use eye!“ and you’d be right but I’m a dummy who couldn’t handle making two different instances of the same object and altering it… It’s scary but if you can do it, please please please teach me ;0;!!!
Area comes in handy to the caress function we will implement in the next module (script)! It encapsulates face.
Face just contains the elements inside, trust me it made sense but i can’t remember why…
Eyes contains each different eye, probably here because I wanted to reuse code and it did not work out and when I kept going I was too scared to restructure it.
EyeR/EyeL are the eyes! We will paint them in the “.css”.
Mouth, like the eyeR/eyeL, will be used in the “.css”.
face.js
Here I will only show how to make it so he feels you mouse on top of him! Too ashamed of how I coded the kisses… Believe me, it’s not pretty at all and so sooo repetitive…
// ######################### // ##      CONSTANTS      ## // ######################### const area = document.querySelector('.area'); const face = document.querySelector('.face'); const mouth = document.querySelector('.mouth'); const eyeL = document.querySelector('.eyeL'); const eyeR = document.querySelector('.eyeR'); // ######################### // ##     CARESS HIM      ## // ######################### // When the mouse enters the area the face will follow the mouse area.addEventListener('mousemove', (event) => {     const rect = area.getBoundingClientRect();     const x = event.clientX - rect.left;     const y = event.clientY - rect.top;     face.style.left = `${x}px`;     face.style.top = `${y}px`; }); // When the mouse leaves the area the face will return to the original position area.addEventListener('mouseout', () => {     face.style.left = '50%';     face.style.top = '50%'; });
God bless my past self for explaining it so well, but tbf it’s really simple,,
style.css
body {     padding: 0;     margin: 0;     background: #c9c368;     overflow: hidden; } .area {     width: 55vh;     height: 55vh;     position: absolute;     top: 50%;     left: 50%;     transform: translate(-50%,-50%);     background: transparent;     display: flex; } .face {     width: 55vh;     height: 55vh;     position: absolute;     top: 50%;     left: 50%;     transform: translate(-50%,-50%);     background: transparent;     display: flex;     justify-content: center;     align-items: center;     transition: 0.5s ease-out; } .mouth {     width: 75vh;     height: 70vh;     position: absolute;     bottom: 5vh;     background: transparent;     border-radius: 100%;     border: 1vh solid #000;     border-color: transparent transparent black transparent;     pointer-events: none;     animation: mouth-sad 3s 420s  forwards step-end; } .face:hover .mouth {     animation: mouth-happy 0.5s forwards; } .eyes {     position: relative;     bottom: 27%;     display: flex;   } .eyes .eyeR {     position: relative;     width: 13vh;     height: 13vh;     display: block;     background: black;     margin-right: 11vh;     border-radius: 50%;     transition: 1s ease } .face:hover .eyeR {     transform: translateY(10vh);      border-radius: 20px 100% 20px 100%; } .eyes .eyeL {     position: relative;     width: 13vh;     height: 13vh;     display: block;     background: black;     margin-left: 11vh;     border-radius: 50%;     transition: 1s ease; } .face:hover .eyeL {     transform: translateY(10vh);     border-radius: 100% 20px 100% 20px; } @keyframes mouth-happy {     0% {         background-color: transparent;         height: 70vh;         width: 75vh;     }     100% {         border-radius: 0 0 25% 25%;         transform: translateY(-10vh);     } } @keyframes mouth-sad {     12.5%{         height: 35vh;         width: 67vh;     }     25% {         height: 10vh;         width: 60vh;     }     37.5% {         width: 53vh;         border-radius: 0%;         border-bottom-color: black;     }     50% {         width: 60vh;         height: 10vh;         transform: translateY(11vh);         border-radius: 100%;         border-color: black transparent transparent transparent;     }     62.5% {         width: 64vh;         height: 20vh;         transform: translateY(21vh);     }     75% {         width: 69vh;         height: 40vh;         transform: translateY(41vh);     }     87.5% {         width: 75vh;         height: 70vh;         transform: translateY(71vh);     }     100% {         width: 77vh;         height: 90vh;         border-color: black transparent transparent transparent;         transform: translateY(91vh);     } }
I didn’t show it but this also makes it so if you don’t pay attention to him he will get sad (mouth-sad, tried to make it as accurate to the movie as possible, that’s why it’s choppy!)
The .hover is what makes him go like a creature when you hover over him, if you want to change it just… Change it! If you’d rather him always have the same expression, delete it!
Anyway, lots of easy stuff, lots of code that I didn’t reuse and I probably should’ve (the eyes!!! Can someone please tell me a way I can just… Mirror the other or something…? There must be a way!!!) So now this is when we do a thinking exercise in which you think about me as like someone who is kind of dumb and take some pity on me.
LivelyInfo.json
{   "AppVersion": "1.0.0.0",   "Title": "Edgar",   "Thumbnail": "img/thumbnail.png",   "Preview": "thumbnail.png",   "Desc": "It's me!.",   "Author": "Champagne?",   "License": "",   "Type": 1,   "FileName": "index.html" }
Easy stuff!!! 
Conclusion
This could've been a project on git but i'm not ready and we're already finished. I'm curious about how this will be seen on mobile and PC,,, i'm not one to post here.
Sorry if I rambled too much or if i didn't explain something good enough! If you have any doubts please don't hesitate to ask.
And if you add any functionality to my code or see improvements please please please tell me, or make your own post!
98 notes · View notes
gordonramsei · 6 months ago
Text
Tumblr media Tumblr media Tumblr media
・:*:。☃︎ FANTASY .
long time no see ! these past few months have been stressful for me so i wanted to extend my most sincere gratitude for each and every one of u and all of ur patience ! it is truly appreciated more than u know ! fantasy is a multi - purpose tumblr theme that's compact , customizable , and cute as heck . with plenty of styling options , u can make this code ur own and show off ur own personal vibe . i'm endlessly excited to see what all of ur lovely brains come up with ! as usual , pls let me know if u encounter any errors or bugs and i will do my best to troubleshoot asap !
pretty please give this   post a like or  reblog  if u intend on using this code or if u just want to be a supportive hottie  ! love u all bigly ; be sure to pet a cute animal today  ! mwuah !
・:*:。☃︎ THEME FEATURES : 
optional stars and blob svgs for both sidebar and nav
optional grayscale img toggle
accessible font sizing toggle
1 free link to use however u please
navigation tab w/ 6 free links
full list of credits , inspo , image sizes , and fonts are listed within the google doc containing the code
Tumblr media
this theme is a patreon exclusive . interested ? click here to consider becoming a part of the hottie crew ! we'd love to have u !
・:*:。☃︎ click the source link to view a live preview !
55 notes · View notes
isobug · 8 months ago
Text
Tumblr media
Desirdae Symbol ( PSD template + SVG file )
Made for part of my Desirdae flag PSD template, the Desirdae symbol made into a PSD template of it's own + a SVG file so it can be exported at any size without loss of image quality! You can download both from the link in the post source ( down at the very bottom of the post. )
I do NOT recommend using the preview image above for editing, it's been compressed !!
The .PSD template has each outline and color on it's own layer for ease of editing + coloring + layer effect application. ( I would recommend downloading and editing that instead of the preview image here. )
The .SVG is the plain black symbol. The universe symbol in the middle was made by jojooid on Flaticon, the attribution link can be also be found at the post source since tumblr doesn't like SVGur external links...
( Like the term itself and my direct interaction criteria, I do not support / am against RQs + harmful transition and will block any direct interactions with my account related to either. I will not argue about this with you. )
Taglist - @radiomogai, @daybreakthing, @desirdae-archive
28 notes · View notes
Text
Michael Jackson Vector Portrait
Tumblr media
Download Link ↑
Package Name: MichaelJacksonVectorPortrait
Discover the ultimate graphic package for Michael Jackson fans and designers! Our MichaelJacksonVectorPortrait is a convenient Zip file that, once unpacked, gives you access to a range of optimized and verified graphic files to meet all your creative needs.
Package Contents
The package includes the following formats:
SVG
AI
EPS
PNG
JPEG
PDF
Artistic Applications
This vector graphic is incredibly versatile and can be used in a wide range of artistic and commercial projects, including:
T-shirts: Create unique and trendy shirts.
Murals: Enhance interior and exterior walls with an iconic portrait.
Mugs and Cups: Personalize your tea or coffee set.
Tapestries: Add an artistic touch to your spaces.
Stickers: Produce stickers for any surface.
Flags: Decorate events or rooms with unique flags.
Tattoos: Use the design as inspiration for tattoos.
Decals: Customize cars, computers, and other items.
Glass: Etch or print on glass for extraordinary creations.
Wood: Create engravings and prints on wood for a rustic touch.
More: Use your imagination to find new creative applications!
Usage
The files have been optimized and verified to ensure the highest quality for any project. The graphic can be used for both personal and commercial purposes, allowing you to sell your creations freely. However, the resale of the source files and their online distribution are strictly prohibited.
Why Choose MichaelJacksonVectorPortrait?
Premium Quality: Each file has been checked to ensure excellent resolution and definition.
Versatility: Perfect for a wide range of creative projects. Commercial Use Allowed: Freedom to create and sell derivative products.
Download the MichaelJacksonVectorPortrait now and bring the King of Pop into your artistic creations!
8 notes · View notes
mdanassaif · 8 months ago
Text
Search Engine of 200k+ Open Source Free SVG Icons → It's live on PH and link in comment.
Please show your support on Product Hunt.
2 notes · View notes
vector-art-bundles · 1 year ago
Text
Punk Rock All-Seeing Eye: Vectorized Ink Masterpiece!
Tumblr media
Download Link ↑
Hey, you rebels and rockers! Feast your eyes on this badass creation: the Punk Rock All-Seeing Eye! Inked with attitude and converted into a killer vector graphic, this design keeps the raw, gritty charm of traditional ink drawings while rocking the digital world with its versatility.
Advantages of the ink vector peculiarity:
Authentic Edge: Maintains the raw, handcrafted feel of ink, injecting every project with rebellious energy.
Scalability Supreme: From tiny tattoos to massive murals, this vector graphic scales up or down without losing an ounce of its punk personality.
Bold Lines, No Limits: The crisp lines and bold strokes ensure your creations pop, whether you're printing on fabric or etching into glass.
Ink on the Go: With SVG, AI, EPS, and more at your fingertips, take your punk pride everywhere, from digital designs to street art stencils.
Name of the graphic package: Punk_Omniscient_Eye_Ink_Vector
Package Content:
Unleash your creativity with this zip file packed with SVG, AI, EPS, PNG, JPEG, and PDF formats, all meticulously optimized and quality-checked.
Artistic Applications:
Get ready to rock the world with the Punk Rock All-Seeing Eye! Use it to spice up:
T-shirt designs that scream rebellion
Street murals that stop traffic
Mugs and cups that kickstart your mornings with attitude
Tapestries that turn walls into statements
Stickers and decals that stick it to the mainstream
Flags that fly your punk flag high
Tattoos that ink your skin with defiance
Glass and wood etchings that carve out a new aesthetic
And whatever else your punk heart desires!
Free and Commercial Use:
Feel free to unleash this badass design for personal or commercial projects. Sell your creations proudly, but remember: direct resale of the source files and design is a no-go, just like online file sharing. Let's keep the punk spirit alive and kicking!
Alright, rebels, dive into the Punk Rock All-Seeing Eye: Vectorized Ink Masterpiece, and let's paint the world punk! 🤘
2 notes · View notes
dragongirlsnout · 2 years ago
Note
with the dashboard unfucker im having a bit of a weird problem (i dont know how to use github i apologize ;-;) but im using firefox multi containers and on most of them the unfucker works perfectly! one of my tabs, however, all of the icons on the menu sidebar are just gone, as well as the reblog symbol. i've forced an update and tried mimicking settings on my other accounts but nothing has changed. im stumped haha
also thank you for the unfucker, i love it so much <3
Weird...It would seem that it's failing to correctly link the SVGs for the icons to the icon sources for some reason, and as for how that would happen, I have no clue.
It could just be a weird bug with the containers? The container I'm writing this in right now no longer lets me use keyboard shortcuts in the editor and my bookmarks sidebar CSS is broken, so it might be an external issue with the browser itself.
3 notes · View notes
hildred-rex · 1 year ago
Text
Ooh, these are excellent! I've been looking for something like Floorplanner for absolutely ages!
Anyhow, I thought I'd contribute some of my own hoard, though it skews more toward worldbuilding. Since I tend to ramble, I've bolded my resource links to make them easier to skim to.
I've tried to group them into research, cartography, and space stuff (which I think should be decreasing order of relevance to most people).
Long, so it's below the cut.
Always check your licenses.
Research
Wikimedia Commons. Extensive collection of images and other media, featuring an in-depth (though hard-to-navigate) categorization system. I've linked to "train stations photographed in the 1920s" as an example.
CCSearch. Lets you search several places with creative-commons media from one dashboard. By no means complete; I may make a post with all the other sources I've found (primarily of images) someday.
Some good (partly-)public-domain image collections that CCSearch doesn't cover: Europeana, the New York Public Library, the British Library (hard to search), and the Met.
Archive.org has a great collection of public-domain books (among other things under other licenses), which you can restrict by date; use the search bar under the little colored icons. It's also the group responsible for the Wayback Machine, which is very useful for other reasons.
Wiktionary. A project of the Wikimedia Foundation, Wiktionary is a free online dictionary with extensive coverage and is available in multiple languages -- though the completeness of the version in any given language is going to depend on the number of volunteers who speak that language. English is very good, Spanish seems solid but I've experimented with it less, and Esperanto's coverage is poor.
NGrams. A feature of Google Books where you can compare the relative frequencies of various terms over time, which can give you a sense of how famous various historical people actually were. I've given an example with three writers here, and it does check out with what I know of their relative historical popularities. (Chambers wrote The King in Yellow early on, but then switched over to romances and became extremely popular. Machen had a boom in popularity in the 1920s.)
Zompist.com. The website of a veteran conlanger and worldbuilder, chock full of interesting stuff even beyond what's considered resources. Mostly useful for information; I've linked to a page giving some basic Blender instructions for conworlders.
The resources flair on r/worldbuilding is a great place to look for more, well, worldbuilding resources.
The Public Domain Review is good to keep tabs on if you're interested in the public domain (or just weird old stuff).
Cartography (and Planet Design)
K. M. Alexander's fantasy map brushes. CC0 (i.e., released into the public domain, or more relevantly free!). They're derived from real historical maps and have incredible variety, covering everything from normal geographical features to whole city blocks to battles(?!). They work in GIMP, Procreate, Photoshop, and Affinity Designer (sp?); I've tested GIMP and Procreate myself.
Azgaar's Fantasy Map Generator. Exactly what it says on the tin. You can customize the output quite a bit, in terms of appearance and actual contents. Based on some admittedly not very scientific tests I've run it doesn't seem to be fully accurate to climate science and whatnot, but it's much closer than anything I could do on my own and certainly very useful. (To export images of your whole map, use svg export and make a png using some other tool. The png/jpg exports don't save the whole map.)
Free -- and web-based, so it works on everything.
Morality-and-AI disclaimer: Unfortunately, the dev recently created a databank of AI-created characters, made of AI "art" and AI-generated character descriptions, and integrated it as a feature in the FMG. That is called Deorum and appears to be un-removable from the FMG, though you can turn off the popup/actual use of Deorum and delete everything out of the "character" list. Nothing else runs on AI; it's all procedural generation, which sounds similar but is not at all the same thing.
GProjector. Converts maps from one projection to another (with many, many options). Mostly useful for work with the FMG, which outputs equirectangular (a very distorted projection). Made by the Goddard Institute for Space Studies, part of NASA. Is a download and requires Java 11+.
Space Stuff
Endeavor. A star atlas, for the sci-fi writers among us. My favorite feature is that it lets you see how the stars would look from other stars. (I've linked to the help page so you get some idea of what it's about.)
PlanetMaker. Somewhat misnamed; unlike the FMG, it doesn't actually make a planet. It lets you make equirectangular maps into something that looks like an artist's interpretation of a planet. It seems to have been made for the website owner's own use, since I haven't managed to find documentation.
JSOrrery. Check out the positions of various solar-system objects at various points in time, as revealed by the power of math!
Solar System Simulator. NASA's second appearance on this list, though this is from JPL rather than GISS. This makes a (low-res) image of what some perspective on the solar system would look like at some date.
Honorable Mentions
Honorable mentions go to to Inkscape (vector), GIMP (raster), Blender (3D), and Khan Academy (miscellaneous knowledge; I'm currently using it to pick up the basics of plate tectonics) for being useful.
hot artists don't gatekeep
I've been resource gathering for YEARS so now I am going to share my dragons hoard
Floorplanner. Design and furnish a house for you to use for having a consistent background in your comic or anything! Free, you need an account, easy to use, and you can save multiple houses.
Comparing Heights. Input the heights of characters to see what the different is between them. Great for keeping consistency. Free.
Magma. Draw online with friends in real time. Great for practice or hanging out. Free, paid plan available, account preferred.
Smithsonian Open Access. Loads of free images. Free.
SketchDaily. Lots of pose references, massive library, is set on a timer so you can practice quick figure drawing. Free.
SculptGL. A sculpting tool which I am yet to master, but you should be able to make whatever 3d object you like with it. free.
Pexels. Free stock images. And the search engine is actually pretty good at pulling up what you want.
Figurosity. Great pose references, diverse body types, lots of "how to draw" videos directly on the site, the models are 3d and you can rotate the angle, but you can't make custom poses or edit body proportions. Free, account option, paid plans available.
Line of Action. More drawing references, this one also has a focus on expressions, hands/feet, animals, landscapes. Free.
Animal Photo. You pose a 3d skull model and select an animal species, and they give you a bunch of photo references for that animal at that angle. Super handy. Free.
Height Weight Chart. You ever see an OC listed as having a certain weight but then they look Wildly different than the number suggests? Well here's a site to avoid that! It shows real people at different weights and heights to give you a better idea of what these abstract numbers all look like. Free to use.
330K notes · View notes
random-creative-projects · 11 days ago
Text
Why TastyIcons.com and Its Ultra-Permissive License Are a Game-Changer for Designers and Developers
Whether you’re building a sleek landing page, crafting eye-catching UI components, or simply need a quick icon for your side project, finding the right assets can be a headache. Icons are everywhere—but they often come with restrictive licensing, hidden fees, or clunky attribution requirements. That’s where TastyIcons.com comes in. Here’s why this fresh new library—and its remarkably permissive “use-and-enjoy” license—will make your next project even more mouth-watering.
1. A Curated Library of Pixel-Perfect Goodies
TastyIcons.com isn’t just another random icon dump. Each icon is:
Crafted with consistency: Thick, smooth strokes and rounded corners ensure every glyph feels like part of a cohesive set.
Playful yet professional: From a tongue-out smiley to sleek bottles, bowls, briefcases, and certificates, every vector balances personality with clarity.
Optimized for any context: Available in SVG and PNG formats, you get razor-sharp sharpness at any size—perfect for high-DPI screens or print.
Whether you need an icon to represent “favorites,” “download,” or any abstract concept, you’ll find a style-matched asset ready to drop in.
2. Zero Attribution, Zero Headaches
Most “free” icon packs still require you to plaster an attribution line in your footer or README. Not so with TastyIcons.com. Its license lets you:
✔️ Use icons in personal projects
✔️ Use icons in commercial projects
✔️ Modify, recolor, and scale to your heart’s content
❌ The only caveat? You can’t bundle these icons into your own icon sets (whether free or paid).
That last restriction protects the integrity of the library—so you get to benefit from a unified brand identity, while TastyIcons stays the one-stop shop for fresh releases and updates.
3. Speed Up Your Workflow
Fewer license checks: No hunting through fine print to see if you need to credit the creator.
Immediate integration: Download SVGs directly from the site or pull them via CDN links—no email signup required.
Versioned releases: Icons get tagged and versioned, so you can pin your project to a known-good set and only update when you choose.
With the friction of licensing out of the way, you can focus on designing, coding, and shipping—rather than paperwork.
4. Community-First Mindset
TastyIcons.com isn’t a static archive—it’s a living, growing collection:
Regular updates bring new categories and seasonal sets.
Open feedback channels let designers request icons they need most.
Roadmap transparency shows you which icons are coming next.
Because you don’t have to negotiate any complicated legal agreements, everyone—solo freelancers, startups, or enterprise teams—can propose additions and watch the library evolve.
5. Protecting the Ecosystem Without Penalizing Users
Licensing that forbids repackaging in other icon collections strikes a smart balance:
Prevents copycat sets from muddying the market or hiding attribution clauses in their own fine print.
Ensures you always return to the original source for updates, bug fixes, and community support.
Keeps the library cohesive, so your project’s icons never feel “patched together” from multiple conflicting styles.
Ready to Feast on Vector Goodness?
Head over to TastyIcons.com today and download your first icon set. With a license this permissive, you’ll never waste time scratching your head over attribution or legal compliance again. It’s the hassle-free way to make your apps, sites, and presentations look as delicious as they deserve.
Pro tip: Bookmark the homepage and keep an eye on the “New Releases” section—TastyIcons’ design team drops fresh icons every month!
0 notes
artsgraphics · 2 months ago
Text
Tumblr media
I will design restaurant,cafe,bbq,grill,bakery,candy,food, juice logo
Fiverr Link https://www.fiverr.com/s/kLlAoPy
I am specialized in doing restaurant,cafe,bbq,grill,bakery,candy,fastfood,juice logos. This gig assures your expected logo with all the print resolution and a brand face for your company. Get source and editable files ai,eps,psd,pdf,png,svg,jpeg and High quality all vector files.#williamjkp #PFPs #Polygon #UFCDesMoines #AEWCollision
#likeJENNIE #delivery #eat #seafood #cooking #beer #pasta #party #instagram #homemade #gourmet #breakfast #restaurants #ristorante #coffee #foodpics #photooftheday #picoftheday #gastronomia #italy #cuisine #goodfood #music #burger #menu #cheflife #foodlovers #gastronomie #hospitality #takeaway #design
0 notes
bangcreative · 2 months ago
Text
Why We Don’t Send Clients Raw Files (And Why That’s a Good Thing)
If you’ve ever worked with a design firm, you may have wondered why you only receive final PDF files for print and not the raw, editable working files. It’s a common question, the short answer is – professional design standards – intellectual property rights – maintaining brand integrity – maintaining the profession.
Who Owns the Working Files?
In the design industry, working files—such as Adobe Illustrator, Photoshop, or InDesign files—are typically considered the property of the designer or the design firm. According to AIGA (the American Institute of Graphic Arts), designers own the source files they create unless an agreement specifies otherwise. Clients pay for the final product, not the tools used to create them. (Source: AIGA).  When you buy a car you don’t get all the schematics, drawings and raw materials, you get the car, the finished product. 
Why We Keep the Raw Files
Protecting Design Integrity
Working files are layered, complex, and contain technical settings that ensure high-quality results. If a client or a someone else makes edits without understanding the design structure, or knowing the brand intent. it can lead to poor-quality graphics that no longer reflect the original vision.
Intellectual Property & Licensing
Design projects often incorporate licensed assets like stock images, fonts, and graphics that the designer has rights to use—but can’t legally transfer to another organization to use independently. Professional organizations like the Registered Graphic Designers (RGD) of Ontario emphasize the importance of sustainability and ethical best practices in design, which includes respecting intellectual property rights. (Source: RGD)
Software & Technical Barriers
Many clients don’t have the required software to open or edit raw design files. Programs like Adobe InDesign or Photoshop require expertise to navigate, and without the right fonts, linked images, or plugins, the file won’t display correctly.
Maintaining a Professional Relationship
Many design firms offer ongoing support for branding and marketing materials. Providing raw files could lead to inconsistent changes by different designers, damaging brand consistency. Instead, firms like ours prefer to make necessary updates to ensure quality and alignment with your brand.
What We Provide Instead
At BANG! creative, we ensure that our clients receive everything they need to use their designs effectively:
Print Ready, High-resolution final files (PDF, PNG, JPG, SVG, etc.)
Print-ready and web-ready versions of those final files
When/where applicable a style guide to maintain brand consistency
Templates in Canva, Word, PowerPoint
If you require working files, let’s talk. Sometimes studios provide working files for an additional fee, depending on the project and licensing agreements. The key is clear communication and setting expectations upfront.
Final Thoughts
Design is more than just files—it’s about strategy, execution, and maintaining a strong brand presence. By keeping working files in the hands of the experts, we ensure the best possible outcome for our clients. Too many times we have seen good designs bad, and that can be an unfortunate circumstance of the DIY mentality, but thats another story. If you have questions about your design project, reach out—we’re happy to help!
Sources:
AIGA: Does a Designer Have to Turn Over Source Files?
AIGA: Standard Form of Agreement for Design Services
RGD: Sustainability Guidelines for Creatives
Partner with BANG! creative 
At BANG! creative, we are passionate about helping businesses build strong, strategic brands that stand out in the marketplace. By thinking first and designing second, we ensure that every marketing effort is not only creative but also grounded in a deep understanding of your unique needs.
Ready to take your brand to the next level? Let’s start with a conversation. Visit creativitygoesbang.com to learn more about our strategic approach and how we can help your business achieve its goals.
Remember, true innovation begins with thoughtful strategy. Let’s build something extraordinary together.
0 notes
gordonramsei · 2 years ago
Text
Tumblr media
⏾ ⬫。*₊ brutalist : a tumblr theme .
Tumblr media
brutalist is a theme named after the aesthetic ; it's raw , unfiltered , crisp designs with an industrial feel ! this theme was made with an rph / rpt blog in mind but like all of my codes , u can utilize it however u see fit ! i hope u enjoy it , and please shoot me a message if u encounter any errors u can't troubleshoot . love u guys bigly , mwuah !
please give this post a reblog & a like ! take care of urself ! keep hydrated & pet a cute animal today !
Tumblr media
⏾ ⬫。*₊   specs   :
extremely customizable !
( optional ) decorative svgs , each svg can be turned on / off individually , meaning u can create the exact vision u want for ur theme !
( optional ) decorate glow orbs , like the svgs , these can be individually turned on / off per ur discretion .
( optional ) desaturated and colorized sidebar images , minimizing ur editing effort . u can turn the color overlay off to have bw sidebar images or turn off all sidebar filters .
toggle font accessibility .
toggle post sizes .
top border w/ an area for text .
one free link .
navigation tab w/ six free links .
navigation description + bonus text area .
subtle tab animations .
complete  list  of  credits  &  inspirations  are  detailed  in  the  code  .
click the source  to  be  directed  to  a  live  preview  ! become a patreon to get access to this theme and many others !
19 notes · View notes
isobug · 8 months ago
Text
Tumblr media
Desirdae flag template ( PSD )
This is a 5000 x 3000 px template of the Desirdae flag format, you can download it at the link in the post source ( down at the very bottom of the post. ) I do NOT recommend using the preview image above for editing, it's been compressed !!
I made this because the previous flag template was a series of separate images at 2048 x 1229 px each and having it all together from the get-go makes requests faster for me! It also brings up the image quality / size to general wiki standards for flags.
I also made a .SVG version + separate .PSD template of the symbol ( which you can find here ) and split it into parts / colors in the template for additional ease of use ( and so it's easier to apply layer effects to different parts of the symbol, if you enjoy using those! )
I don't claim to have made this flag, the symbol, the term, or anything else. This is a simple coining resource!
( Like the term itself and my direct interaction criteria, I do not support / am against RQs + harmful transition and will block any direct interactions with my account related to either. I will not argue about this with you. )
Taglist - @radiomogai, @daybreakthing, @desirdae-archive
42 notes · View notes
Text
Michael Jackson Vector Face Drawing Pack
Tumblr media
Download Link ↑
The "Michael Jackson Vector Face Drawing" pack is an essential companion for design enthusiasts and artists looking to capture the iconic essence of Michael Jackson through vector drawing. With a wide range of optimized and verified file formats, this pack provides immediate access to SVG, AI, EPS, PNG, JPEG, and PDF, ensuring unparalleled flexibility in the creative process.
Package Contents:
SVG Files: Perfect for scalable vector graphics, ideal for print and web.
AI Files: Compatible with Adobe Illustrator, offering full control over stroke manipulation.
EPS Files: Suitable for import into a variety of vector graphics software.
PNG Files: Transparency included for easy use on various colored backgrounds.
JPEG Files: Ideal for online sharing and high-quality printing.
PDF Files: Optimal for professional printing and document sharing.
Possible Artistic Applications:
T-shirts: Create unique shirts celebrating the music icon.
Murals: Immerse spaces with Michael Jackson's energy through bold and vibrant murals.
Mugs and Cups: Customize your daily beverages with the legendary face of MJ.
Tapestries: Add a touch of elegance to your home with Michael Jackson-inspired tapestries.
Stickers: Decorate laptops, bags, and more with stickers paying homage to the king of pop.
Flags: Display your love for Michael Jackson with custom flags.
Tattoos: Permanent or temporary, carry Michael Jackson's legacy on your skin.
Decals: Versatile decorations for cars, windows, and more.
Glass and Wood: Experiment with different materials to create unique art pieces.
Other Creative Possibilities: Let your imagination run wild and create unique items that reflect your passion for Michael Jackson.
Legal Usage:
This vector drawing can be used for both personal and commercial purposes. While you are free to sell your creations made with this graphic, resale of the source files and design is strictly prohibited, as well as online distribution of the files. This ensures the protection of the original artwork and its creators, preserving its value and authenticity in the creative market.
Final Note:
With the "Michael Jackson Vector Face Drawing" pack, Michael Jackson's artistic legacy comes to life through your creations. Explore the creative potential of this vector drawing and add a touch of the magic of the king of pop to your artistic projects.
4 notes · View notes
haerdoepfu · 3 months ago
Text
Somehow, the links I added don't seem to work anymore, so here are some of the sources I used:
The free pattern on ravelry: https://www.ravelry.com/patterns/library/dinosaur-scarf-6
Parasaurolophus inspired by : https://www.etsy.com/ch/listing/1304125816/dinosaurier-8-bit-svg-eps-dxf-png
Tumblr media Tumblr media
So i learned a new way to knit, where you can knit with two colours and without the floats, by knitting both sides at the same time.
This scarf is based on a pattern from ravelry but i added a Parasaurolophus and a Pteranodon.
I'm really happy with how it turned out!
199 notes · View notes