Tumgik
#to write it all out and then make it concise enough to be readable
Text
I have a draft saved somewhere talking about my classpect headcanons for everyone, I really need to finish that sometime so people can see where I'm coming from when I say "fidds is a mage of rage". I have Ford down as a prince of light, stan as a thief of time, and bill as a lord of hope, but I think those are a liiittle bit more self explanatory
3 notes · View notes
sunless-not-sinless · 4 months
Text
shitGPT
for uni im going to be coding with a chatGPT user, so i decided to see how good it is at coding (sure ive heard it can code, but theres a massive difference between being able to code and being able to code well).
i will complain about a specific project i asked it to make and improve on under the cut, but i will copy my conclusion from the bottom of the post and paste it up here.
-
conclusion: it (mostly) writes code that works, but isnt great. but this is actually a pretty big problem imo. as more and more people are using this to learn how to code, or getting examples of functions, theyre going to be learning from pretty bad code. and then theres what im going to be experiencing, coding with someone who uses this tool. theres going to be easily improvable code that the quote unquote writer wont fully understand going into a codebase with my name of it - a codebase which we will need present for our degree. even though the code is not the main part of this project (well, the quality of the code at least. you need it to be able to run and thats about it) its still a shitty feeling having my name attached to code of this quality.
and also it is possible to get it to write good (readable, idiomatic, efficient enough) code, but only if you can write this code yourself (and are willing to spend more time arguing with the AI than you would writing the code.) most of the things i pointed out to the AI was stuff that someone using this as a learning resource wont know about. if it never gives you static methods, class methods, ABCs, coroutines, type hints, multi-file programs, etc without you explicitly asking for them then its use is limited at best. and people who think that its a tool that can take all the info they need, and give it back to them in a concise, readable way (which is a surprising lot of people) will be missing out without even knowing about it.
i got it to write tic-tac-toe (the standard babee) in python (the lang i have to use for uni ;-; (held at gunpoint here)). my specific prompt was "write me a python program for tictactoe that is written in an object oriented way and allows for future expansion via multiple files"
it separated it into three files below (which i think would run, but i never actually ran any of this code. just reading and judging)
Tumblr media Tumblr media Tumblr media
why does board use display instead of __str__ and __repr__?
why is the board stored as 1d instead of 2d? thats just confusing
why does it never early return aside from check_winner? (not a big issue here but kept on choosing to never early return when i asked it to add more methods)
why is there no handling of non-number user inputs?
why are non-int inputs truncated instead of telling the user that they should input ints only?
why is display implemented like that?
why are so many lines so bloody long (wide)?
why is there a redundant self.check_winner() after the while loop in TicTaacToe.play()? and if it wasnt redundant then you could finish the game without there being anything printed telling you that the game is finished?
why is the only comment useless? (this comment wouldnt be useless if it was a doc comment tho, but it aint a doc comment. speaking of, why is there no doc comments?)
these are the more immediate things i saw, but there are other things that are bad here.
whenever i write * this is where it updated the api without changing any usage of the api.
so i ask it to change board.display into __str__ and __repr__, it changes it to __str__*, it does not add a __repr__. asking it to add a __repr__ 1) removes the __str__ and 2) gives me this (the other methods are unchanged)
Tumblr media
what. the. fuck. this would imply that board takes in an argument for the boardstate, but it clearly doesnt. after 4 more asks it finally has both __str__ and __repr__, without fixing the fact its implying board takes an optional arg, so i get it to add this arg. anything that needs to print the board still calls display btw.
the reasoning it gave for using display over the repr and str magics was this
While using __str__ and __repr__ is a more idiomatic approach in Python, choosing to have a separate display method can still be a valid choice, especially if the display logic is more complex or if you want to keep the __str__ method for a more concise or formal representation of the object.
which, erm what? why would __str__ be for a concise or formal repr when thats what __repr__ is for? who cares about how complex the logic is. youre calling this every time you print, so move the logic into __str__. it makes no difference for the performance of the program (if you had a very expensive func that prints smth, and you dont want it to run every time you try to print the obj then its understandable to implement that alongside str and repr)
it also said the difference between __str__ and __repr__ every damn time, which if youre asking it to implement these magics then surely you already know the difference?
but okay, one issue down and that took what? 5-10 minutes? and it wouldve taken 1 minute tops to do it yourself?
okay next implementing a tic-tac-toe board as a 1d array is fine, but kinda weird when 2d arrays exist. this one is just personal preference though so i got it to change it to a 2d list*. it changed the init method to this
Tumblr media
tumblr wont let me add alt text to this image so:
[begin ID: Python code that generates a 2D array using nested list comprehensions. end ID]
which works, but just use [[" "] * 3 for _ in range(3)]. the only advantage listcomps have here over multiplying is that they create new lists, instead of copying the pointers. but if you update a cell it will change that pointer. you only need listcomps for the outermost level.
again, this is mainly personal preference, nothing major. but it does show that chatgpt gives u sloppy code
(also if you notice it got rid of the board argument lol)
now i had to explicitly get it to change is_full and make_move. methods in the same damn class that would be changed by changing to a 2d array. this sorta shit should be done automatically lol
it changed make_move by taking row and col args, which is a shitty decision coz it asks for a pos 1-9, so anything that calls make_move would have to change this to a row and col. so i got it to make a func thatll do this for the board class
what i was hoping for: a static method that is called inside make_move
what i got: a standalone function that is not inside any class that isnt early exited
Tumblr media
the fuck is this supposed to do if its never called?
so i had to tell it to put it in the class as a static method, and get it to call it. i had to tell it to call this function holy hell
like what is this?
Tumblr media
i cant believe it wrote this method without ever calling it!
and - AND - theres this code here that WILL run when this file is imported
Tumblr media
which, errrr, this files entire point is being imported innit. if youre going to have example usage check if __name__ = "__main__" and dont store vars as globals
now i finally asked it to update the other classes not that the api has changed (hoping it would change the implementation of make_move to use the static method.) (it didnt.)
Player.make_move is now defined recursively in a way that doesnt work. yippe! why not propagate the error ill never know.
Tumblr media
also why is there so much shit in the try block? its not clear which part needs to be error checked and it also makes the prints go offscreen.
after getting it to fix the static method not being called, and the try block being overcrowded (not getting it to propagate the error yet) i got it to add type hints (if u coding python, add type hints. please. itll make me happy)
now for the next 5 asks it changed 0 code. nothing at all. regardless of what i asked it to do. fucks sake.
also look at this type hint
Tumblr media
what
the
hell
is
this
?
why is it Optional[str]???????? the hell??? at no point is it anything but a char. either write it as Optional[list[list[char]]] or Optional[list[list]], either works fine. just - dont bloody do this
also does anything look wrong with this type hint?
Tumblr media
a bloody optional when its not optional
so i got it to remove this optional. it sure as hell got rid of optional
Tumblr media
it sure as hell got rid of optional
now i was just trying to make board.py more readable. its been maybe half an hour at this point? i just want to move on.
it did not want to write PEP 8 code, but oh well. fuck it we ball, its not like it again decided to stop changing any code
Tumblr media
(i lied)
but anyway one file down two to go, they were more of the same so i eventually gave up (i wont say each and every issue i had with the code. you get the gist. yes a lot of it didnt work)
conclusion: as you probably saw, it (mostly) writes code that works, but isnt great. but this is actually a pretty big problem imo. as more and more people are using this to learn how to code, or getting examples of functions, theyre going to be learning from pretty bad code. and then theres what im going to be experiencing, coding with someone who uses this tool. theres going to be easily improvable code that the quote unquote writer wont fully understand going into a codebase with my name of it - a codebase which we will need present for our degree. even though the code is not the main part of this project (well, the quality of the code at least. you need it to be able to run and thats about it) its still a shitty feeling having my name attached to code of this quality.
and also it is possible to get it to write good (readable, idiomatic, efficient enough) code, but only if you can write this code yourself (and are willing to spend more time arguing with the AI than you would writing the code.) most of the things i pointed out to the AI was stuff that someone using this as a learning resource wont know about. if it never gives you static methods, class methods, ABCs, coroutines, type hints, multi-file programs, etc without you explicitly asking for them then its use is limited at best. and people who think that its a tool that can take all the info they need, and give it back to them in a concise, readable way (which is a surprising lot of people) will be missing out without even knowing about it.
40 notes · View notes
univerult07 · 4 days
Text
Unlocking the Charm: Mastering the Art of SEO Writing
In the vast landscape of digital marketing, mastering the art of SEO writing is akin to discovering a hidden treasure chest. In today's digital age, where online visibility can make or break businesses, the ability to craft compelling content that not only captivates human readers but also appeases search engine algorithms is indispensable. Welcome to the world of SEO writing, where words wield immense power, and strategic placement can pave the way to online success.
Understanding the Essence of SEO Writing
What is SEO Writing? SEO writing, or search engine optimization writing, is the craft of creating content that is not only engaging and informative for human crystal necklaces readers but also optimized for search engines. It involves incorporating targeted keywords, optimizing meta tags, crafting compelling headlines, and structuring content in a way that enhances online visibility and drives organic traffic to a website.
Tumblr media
The Importance of SEO Writing In today's hyper-competitive digital landscape, simply having a website is not enough. With millions of websites vying for attention, standing out from the crowd requires more than just compelling visuals and catchy slogans. SEO writing serves as the cornerstone of any successful digital marketing strategy, helping businesses rank higher in search engine results pages (SERPs), attract qualified leads, and ultimately drive conversions.
The Art and Science of SEO Writing
1. Keyword Research and Analysis Boldly stepping into the realm of SEO writing begins with meticulous keyword research and analysis. Keywords are the compass that guides online searchers to your content. By identifying high-value keywords relevant to your niche, you can tailor your content to match the intent of your target audience and improve your chances of ranking higher in search results.
2. Crafting Compelling Headlines and Meta Descriptions H1: The Power of Persuasive Headlines The headline is the first impression your content makes on potential readers. Crafting a compelling headline that grabs attention, piques curiosity, and includes your target keyword is essential for SEO success. Remember, you only have a few seconds to capture your audience's attention, so make it count.
H2: Optimizing Meta Descriptions for Click-Throughs Meta descriptions may not directly impact search rankings, but they play a crucial role in driving click-through rates. A well-crafted meta description not only summarizes the content of your page but also entices users to click on your link. Keep it concise, compelling, and include your target keyword for maximum impact.
3. Structuring Content for Readability and SEO H2: The Anatomy of SEO-Friendly Content When it comes to SEO writing, content structure is key. Break up your content into digestible chunks using subheadings (H3) and bullet points to improve readability and keep readers engaged. Incorporate your target keywords naturally throughout the content, but avoid keyword stuffing, which can result in penalties from search engines.
H3: The Role of Internal and External Links Internal and external links are the glue that holds your website together and strengthens its authority in the eyes of search engines. Incorporate relevant internal links to other pages within your website to improve navigation and user experience. Additionally, include authoritative external links to reputable sources to add credibility to your content.
4. Optimizing for Mobile and Voice Search H2: Adapting to the Mobile-First Era In an increasingly mobile-centric world, optimizing your website for mobile devices is no longer optional—it's a necessity. Ensure that your website is mobile-responsive and loads quickly to provide a seamless user experience across all devices. Mobile optimization not only improves user satisfaction but also boosts your search engine rankings.
H3: Embracing the Rise of Voice Search With the proliferation of virtual assistants like Siri, Alexa, and Google Assistant, voice search is revolutionizing the way people find information online. Tailor your SEO strategy to accommodate voice search queries by incorporating natural language keywords and answering common questions concisely and informatively.
Measuring Success: Analyzing SEO Performance
1. Tracking Key Metrics Boldly venturing into the realm of SEO writing is only half the battle. To gauge the effectiveness of your efforts, it's essential to track key metrics and analyze performance data. Monitor metrics such as organic traffic, keyword rankings, bounce rate, and conversion rate to gain insights into what's working and identify areas for improvement.
2. Utilizing Analytics Tools Harness the power of analytics tools such as Google Analytics and Google Search Console to gain deeper insights into your website's performance. These tools provide invaluable data on user behavior, keyword performance, site errors, and more, empowering you to make data-driven decisions and refine your SEO strategy accordingly.
Conclusion: Mastering the Art of SEO Writing
In a digital landscape where competition is fierce and attention spans are fleeting, mastering the art of SEO writing is essential for businesses looking to thrive online. By understanding the fundamentals of SEO, conducting thorough keyword research, crafting compelling content, and analyzing performance metrics, you can unlock the full potential of your online presence and achieve sustainable growth. So, embrace the power of SEO writing, and watch as your online visibility soars to new heights. Remember, Jewelry by Universe Ultra your ally in the journey to digital success.
0 notes
kimberlydakota957 · 3 months
Text
Master 12 Tips for Translating Difficult Texts Clearly
<h1>Tips for Translating Texts Clearly and Naturally</h1> <p>Translating one language to another well is tricky. You have to make sure the meaning comes across clearly without changing it. Here are some things to keep in mind when translating to make the text easy to understand.</p> <h2>Use Proper Grammar</h2> <p>Grammar is the set of rules for how to put words together in a language. When translating, you need to follow the grammar rules of the new language. Check that all the verbs are in the right form, nouns have the right articles, and everything agrees. Fix any mistakes so the grammar is perfect.</p> <h2>Pick Precise Words</h2> <p>The words you choose need to match the meaning of the original text closely. Translate word-for-word if possible. But sometimes a different word conveys the idea better in the new language. Think about subtle differences in meaning too. Use a dictionary to help pick the most accurate term.</p> <h2>Make It Clear</h2> <p>The main goal of translation is to communicate the meaning clearly. Reread your translation and ask if anything is confusing. Simplify complex parts. Define unfamiliar terms. Check that pronouns are clear from context. Your job is to translate ideas smoothly so readers understand easily without effort.</p> <h2>Keep Logic Consistent</h2> <p>Ideas in the original text should follow logically. When translating, maintain that logical flow. Check your translation doesn't contradict earlier parts. Connect ideas with transition words like "because", "however", and "moreover" for smooth reading. Make sure time sequencing and comparisons make sense.</p> <h2>Engage Your Readers</h2> <p>Adding a few interesting touches can make your translation more fun to read. You can use common English expressions and sayings to replace long-winded parts. Occasional exclamations add emphasis. Descriptions make abstract ideas clear. Dialogue and rhetorical questions involve readers. But don't go overboard—keep it natural sounding.</p> <h2>Organize Ideas Clearly</h2> <p>Group related ideas into coherent, easy-to-follow paragraphs. Introduce each new major topic in its own section. Subheadings help readers navigate. Bullet points list items for skimming. Include a short summary at the start to set context. Text should flow logically from intro to conclusion.</p> <h2>Keep Paragraphs Concise</h2> <p>Very long paragraphs of text look daunting. Most readers won't wade through huge blocks of words. Break ideas into bite-sized chunks no longer than 5-7 lines. This makes the translation engaging and approachable for any audience. White space between paragraphs gives eyes a break too.</p> <h2>Simplify Writing</h2> <p>Translation needs to be as clear as possible. Cut redundant phrases. Trim flowery descriptors. Replace obscure language with everyday words. Aim for a 5th grade reading level unless the topic requires more advanced vocabulary. Check for inconsistencies and ambiguous pronouns. Your readers are relying on you for understanding.</p> <h2>Respect Your Readers</h2> <p>Consider who will be reading the translation. Choose an appropriate language level. Explain any cultural references. Define technical terms in context. Give enough context so they don't need outside knowledge. Read it from a beginner's viewpoint. Would they follow what's written without confusion?</p> <h2>Revise for Cohesion</h2> <p>Translation is a process. Do multiple drafts and have others review. Combine or reorder points to flow better. Weed out repetition. Tighten wording. Polish transitions. Catch logical issues. Perfection is impossible but constant refinement will improve readability and hold readers' interest page after page.</p> <p>With attention to these areas, your translation work will communicate clearly and be enjoyable to read. Remember translation's ultimate goal is understanding between two languages. Follow these guidelines and you'll meet that goal every time.</p>
0 notes
andreea-florea · 1 year
Text
Industry pitched CV (6/6)
or How to build an Animator's CV for an indecisive student.
This post serves as both artefact of my CV development and as a personal research library. This being said,
Animation CV - Research
A compilation of tips I gathered from various sources (including word of mouth from employers and the lectures) over time:
I have only 10 seconds to make an impression.
Relevant industry experience, education and skills are king, however design and personality/attitude will seal the deal.
Include my roles within the University, the Union and any achievements, show my dedication for everything I have ever done.
Don’t make them hunt for relevant information - make myself easy to contact, approachable -> easy to employ.
Saved as a PDF and uploaded to my website on your Bio/About page
Logo at the top, same font throughout.
Make sure key, relevant/key info stands out.
One standard CV for all employers is not enough, always update and tailor.
Be positive and concise, 1 page should be the maximum length; use the space wisely.
Make it look clean, polished, fresh and memorable, professional, but not too serious and humble.
Information needs to be legible and not off-putting.
Just like with logos, look extremely close and extremely far-away, make it readable and recognizable. Follow strong shapes and the natural flow of a first glance. Show it to other people always.
Is your CV appropriate for your industry? - priority structure
Star method for experiences, show what you've gained.
Classy fonts - always.
The list could go on based on everything I have ever heard, because each employer is different, what matters is that my CV gets the point across. Here are some sources and their varied advice:
About Me section: "Consider the tone of voice you use here; if the role you’re applying for is for a characterful agency, it might be best to use a less serious tone of voice." References section: "When it comes to references, it’s best to write something along the lines of “References available on request”, particularly if you’re already working somewhere."
Tumblr media
"We’ve all done that thing where you’ve exported a hundred variations of one file, or quickly smashed the keyboard and saved a document as ‘KWJEbfkwejg8vd.pdf’ or similar. We get it, we’ve all been there, but now’s not the time for it. With so many job applications being submitted online, take care when naming the files you upload to sites. Keep it clean and simple with your full name, job title and the current year. Not only does it make it easier to file and find, it shows that you sweat the details. For example: ‘JoannaDoe_GraphicDesigner_CV_2021.pdf’ We suggest keeping a working file of your CV, so that it’s easy and simple to update as you apply to more jobs in the future. And having a clear label will make it easier for you to find and refer to later on, too."
Key takeaways • Keep your CV clean and simple • Go for quality over quantity • Tailor each CV to the job application • Keep it concise; your CV shouldn’t be too long, too detailed, or over-designed (you don’t want to overwhelm anyone!)
🔔 Your CV doesn’t have to get you work
Remember: your CV won’t necessarily be the thing that gets you the job. It just has to grab someone’s attention enough that they want to talk to you.
" I think the best piece of advice I can offer is ‘keep it simple’. (..) Avoid old-fashioned fonts like Times New Roman, and make your headings stand out by using bold fonts.  There is no need to start your CV with the words Curriculum Vitae – it’s just stating the obvious.  Think about how you name the document itself – include your full name and the month/year to show that the CV is current, eg: ‘ Joe Bloggs CV June 2011’."
1. Make it clear what you do and what job you want. 2.  Don’t make it wordy. a very short biography is best (..) 5. Keep your CV 1 page max and keep your education short.
"Not including examples of your work with your résumé is a common mistake. It's all very well telling a potential employer about your experience on your CV, but showing always beats telling, and designers work in a profession where it's possible to do that.  How? You could include images directly in the CV itself, in a separate portfolio document (usually best as a reduced, curated version of your portfolio in PDF format) or as a link to an online portfolio. If you work with motion, stills will usually suffice, unless you’ve been specifically asked to include a showreel. See our selection of great graphic design portfolio examples for inspiration. "
How to Get Hired When You Are Just Starting Out
1. Include personal projects to bulk up your resume. 2. Don’t just list the facts; tell your story instead. 3. Showcase your creative process by sharing iterations and mockups. 4. Hiring managers expect tailored applications. Do your research before hitting send. 5. Don’t be afraid to mention your idols, mentors, or creatives you admire in an interview.
Tips from Creative Careers:
List your skills but avoid using infographics to grade your level of skill. "They’re meaningless. What does '95% in Photoshop' mean? Absolutely nothing."
Don’t include: photo, marital status, National Insurance number, nationality, gender, age or date of birth
Listings in reverse chronology
Describe responsibilities using an action verb at the beginning of each sentence
Interests: no socialising, no travel (too common), try including team and quieter interests, try showcasing somewhat related interests, ex.: for an animator, cinematography or arts history etc.
Your CV must be no more than two pages and some employers like a one-page CV
Make sure each page is full otherwise it looks like you ran out of things to say
Order the sections to ensure your strengths stand out
Be consistent in font, spacing, text alignment
Use clear headings
Avoid long paragraphs – concise bullet points are easier to read
Be sure the document photocopies well and is email-able
Visually interesting CV Examples from the industry:
Tumblr media Tumblr media
Source: https://www.screenskills.com/
Skills, skills, skills
Considering the information I gathered in my industry research and some other sources, here is a little breakdown I made of the most sought after skills in the Animation industry:
Artistic skills and basic animation skills:
Colour theory
Drawing, composition and lighting
Storyboarding
Strong visual imagination
Animation fundamentals - principles, an understanding of movement and body mechanics
3D rendering
Editing
Top software tools to know:
Adobe Suite - it is a must! Photoshop, After Effects and Premiere - confident user
Autodesk Maya - must know proficiently!
Blender - booming in the last few years, definetly a must know.
Zbrush (very useful), 3ds Max, Houdini, Nuke - good to know if possible
Toon Boom Harmony and Cinema 4D
Unreal Engine - it is considered the future of CG Animation
Soft skills:
There are so many and most of them are important, as in this industry it is your character that might just get you the job. Some skills I would like to list, others to showcase (through work and so on) and others I would like to imply through my short statement.
Passion and dedication - imply
Teamwork - list
Communication - list briefly under my student roles experience
Organization - list
Time-management and prioritization - list or imply in the experiences
Ability to work under pressure - imply
Creativity - imply (must, it would be awkward to mention it from a creative industry point of view, so I will showcase through my work and CV layout)
Attention to detail - list
Self-motivation and responsibility - list
Leadership - mention in the experiences
Good criticism handling - hard to show and awkward to mention
Strong analytical thinking - list
Flexibility - list or mention in experiences
Storytelling - showcase by guiding the reader with a good layout, also showcase in my work
Sources:
https://www.rasmussen.edu/degrees/design/blog/animation-skills/ https://animatedjobs.com/vital-soft-skills-every-successful-animator-needs-to-have/ https://www.nobledesktop.com/classes-near-me/blog/top-skills-for-animators https://www.indeed.com/career-advice/resumes-cover-letters/animation-skills https://businessofanimation.com/essential-animator-skills-every-freelancer-should-have/
Despite my fear of working on my personal branding and CV, I quite enjoy researching and working around employability and I often help my friends, no matter the industry. I was helping a friend set up their LinkedIn profile and I have stumbled across this article and I made a mental note about it:
It might be helpful for me to avoid overused words and use better words, especially for my short statement.
These are the 10 words that LinkedIn members overuse the most: 
Specialized
Experienced
Leadership
Skilled
Passionate
Expert
Motivated
Creative
Strategic
Successful
Now, visually
Tumblr media Tumblr media Tumblr media
The industry is full of very different types of CVs and, while most people prefer simple, straightforward CVs, there is space for creativity.
Most importantly, it has to conform with my branding elements in order to be consistent.
Tumblr media Tumblr media
However, I want to find a good, strong, appealing font. The animation industry is not exactly that keen on fonts, so I decided to research the most appreciated fonts in the graphic design and see if I like something.
The typeface
Based on a short research, the most beloved typeface across the internet today is Helvetica. Helvetica is a part of the Humanist fonts and this type originated in the Renaissance, reminiscent of organic human penmanship. Traits:
orderly
caligraphic
easier to read and flowy
However, Helvetica is also a Sans Serif typeface. Sans Serif typefaces are clean, modern, good to use for both titles and body copy, easy to read, stable and sensible. Therefore, the typeface I am looking for is a Sans Serif typeface.
Sources:
https://www.jukeboxprint.com/blog/12-of-the-most-popular-fonts-in-graphic-design https://digitalsynopsis.com/design/font-psychology-emotions/#:~:text=While%20working%20on%20a%20project,%2C%20classic%2C%20stylish%20and%20formal. https://bravadesign.ca/font-psychology-different-types-of-font-meaning/ https://eugenesadko.medium.com/guide-to-10-font-characteristics-and-their-use-in-design-b0a07cc66f7 https://www.fiverr.com/resources/guides/graphic-design/how-to-choose-font-for-logo#:~:text=Learning%20about%20the%20four%20main,of%20brands%20that%20use%20them. https://www.youworkforthem.com/blog/2022/09/10/what-is-a-humanist-typeface/
Here are some typefaces I liked and compared on Adobe Fonts:
Tumblr media
And then I found this one that I was planning to use, but unfortunately students don't actually have access to Adobe Fonts.
Tumblr media
Then I looked over most fonts on https://www.dafont.com/ and https://fonts.google.com and I found these 2 fonts that fit my requirements:
Tumblr media
And I ended up choosing EXO for my CV, website and really everything.
Layout and development
I started with the content I already had in this older CV, that is in Romanian because I used it to apply to summer internships back home.
Tumblr media
It is very visibly extremely bad, but it is a starting point content-wise.
After researching multiple CV layouts on ScreenSkills, Artstation and Pinterest, I came up with a couple of layouts that I thought fit my logo and content the best. Then I chose one and I got sketching.
Tumblr media
My next step is laying out my content: what will be in my CV? Having full control over my CV requires having my content sorted out first and I think there is nothing better than a plain, old Word doc full of the content.
Tumblr media
After that, all I need to do is start working on it. Here are some pictures of my development:
Tumblr media Tumblr media Tumblr media
And after I got my feedback and changed my website, here is my final version of the CV, neatly named with my name, unlike all of my other CV1, 2, 3 ... etc.
Tumblr media
Thank you for reading!
0 notes
bloggismagency · 1 year
Text
Let’s discuss the Five Benefits of Collaborating with a Content Writing Agency in this blog post
Tumblr media
What is Content Writing
To express it simply yet powerfully and elegantly, Content Writing is the art of putting together words that represent a brand in a meaningful way. It conveys smart information that gives its audience a compelling cause to act. The act may be anything from subscribing to a podcast to buying a product.
Let’s talk about prospecting. Gone are the heydays of personal meetings and networking. Talk about the door–to–door selling, and it will instantly make you appear like someone who time-traveled from the 1970s. Today, creating awareness and bringing in revenue happens through writing.
Writing isn’t simply about being basic and static; effective and fascinating write-ups put readers into a visual state and make them soliloquize, “Yes! This is what I have been looking for.”
Great writing motivates the readers to take action. Such material will tell prospects a compelling story and convert them into customers. But creating awesome content is easier said than done. You need a professional writer to churn out readworthy content like hot cakes. You may be inclined to say, “Nah, I can do it.” But trust us; the enemies to consistent production of high-quality content are aplenty. Writer’s block, lack of motivation, scarcity of reliable sources, deadlines, and inability to ensure readability, just to name a few.
To convey one’s thoughts clearly and concisely, one must rely on the services of content writing businesses. Here, I will share the five benefits of hiring a content writing agency. But hang on for a minute so that I can introduce you to the relationship between content writing and Search Engine Optimization (SEO).
In today’s digital environment, potential clients dwell in online spaces searching for businesses from whom they would like to make purchases. Professional content writers know how to attract them using SE-optimized write-ups.
SEO, the Elusive Butterfly Everyone Tries to Catch
The goal of SEO is to make your material as accessible to users as possible by moving it to the top of search results pages. When you employ a content writing agency, this aspect of the job is handled very professionally. These tried-and-tested specialists use appropriate keywords to optimise content and achieve high rankings on search engines such as Google. It is essential to include relevant keywords in your content to be seen by potential customers when they search for the product or service you offer. Professional content writers have undergone extensive training to ensure that the words they choose to describe your product or service are helpful and accurate.
The practice of writing content for websites is not something new; rather, it has been around for a very long time. However, since the COVID era, it has become necessary to provide both interesting and exceptional material because everything is now digital. Because of this, there has been a consistent uptick in demand for writing services.
When you hire a content writing agency, they help you massively to outshine and outstand your competitors easily by taking care of all the research work and ensuring that you have the most recent information available. This is especially helpful in light of the fact that so many businesses are positioning themselves through various social media platforms and search engines.
Even if you are involved in B2B services, using the services of a reliable content writing agency, such as Write-Right or Taletel, plays a significant role in your success. Now, the benefits of collaborating with a content writing agency.
1) Show up as an authority
Sharing your knowledge and expertise with the people who are most likely to purchase from you regularly is essential to establishing and maintaining your reputation as an authority. Since we all have a lot on our plates and struggle to find enough time to get everything done, putting a trained expert in charge of our job can help us make significant time and save manpower. When your material is well written, it gives the impression that you are an expert in your industry.
2) Focus on increasing conversion rates and lead generation
If you have captivating and flawless content, a greater conversion rate and more leads will be at a stone’s throw. The quality of your content plays a significant role in attracting the type of customers you want, and the only people who can produce copy that is clear, concise, and error-free are content writing experts.
3) Make your brand distinct
Content is critical in promoting a brand’s reputation and gaining a following. Professionally produced content has such a high level of specialty that it raises the perceived worth. Your brand is what people identify with more than anything else about you. Writing is a skill that can only be mastered by those who have been trained and have a solid understanding of how to craft a story that will resonate with the reader.
4) Get featured on high-quality websites and blogs
When you hire professionals to write your content, they are aware of various strategies and methods that can increase the number of individuals exposed to your brand and the information being communicated. This is accomplished using a tried-and-true method that uses backlinks.
5) Increase the number of people that receive your email updates
A content writing firm will handle all of your email marketing methods, so you don’t have to worry about it. When readers find your content interesting, they’ll sign up for your email list, and you’ll be able to send them offers and discounts. Your customers will likely trust and rely on you due to professional communication.
Conclusion –
A content writing agency can help you get more for your investment by delivering highly engaging and compelling copy for your website. They accomplish this by providing top-notch human-written content and then using the best possible technology to create a beautiful design. If you are looking for extra content, then it’s worth considering working with content writing services. By working with a content writing service, you can take advantage of their experience, expertise and resources to deliver outstanding content to your users.
Collaboration with a content writing company helps you to improve the quality of your content by avoiding the common mistakes that people make and providing you with content that is produced to the latest specifications. It has proven to be highly beneficial to a business in many ways. Collaboration allows you to tap into a much larger pool of talent than you would otherwise be able to draw upon. Hiring people from these networks will also save you time in finding and training new staff, ensuring consistency of message across your entire company and in each of your marketing channels, and improving the quality of your content.
0 notes
kanewilliamsonjp · 2 years
Text
三和一善 履歴書作成時のフォーマット注意点
5 formatting mistakes that mess up your resume
Given that this is your first opportunity to make a concrete impression on a potential employer, your resume must be designed and formatted to highlight your skills and qualifications.
  From complex designs to crowded pages crammed with unreadable text, there are many reasons why your resume might fail you. If you're finding it difficult to get an interview despite your high qualifications, a poorly formatted resume may be to blame.
  Here are some of the main mistakes I see in resume formatting. To avoid each, I'll explain how to build a successful resume that will help you land a lucrative first interview.
  complex design
The most important thing to keep in mind when writing a resume is that it must be easy to read. Recruiters are tasked with reading hundreds of resumes every day, so you can guarantee that anything that's hard to read or stuffed with a lot of text will be skipped.
  It's natural to want to highlight as many skills, roles, and accomplishments as possible, but cram everything into an overly complex design is the quickest way to guarantee your resume won't be read at all.
三和一善
It's best to avoid quirky designs and instead opt for simple structures, clean fonts and designs, and sensible resume layouts. In terms of color, adding a little color to your headline is fine, but multiple color styles are messy, unpleasant to read, and look unprofessional in most industries. Use black text on a white background in the body of your resume as this will provide the best reading experience.
  unnecessary personal information
As someone who offers resume design advice, I cringe when I see the mistake of adding too much personal information.
Remember, as a candidate, your potential employer does not need to know your date of birth, marital status, or blood type. The most important thing for recruiters to know is that you are competent for the job they offer, so filling out the first half of the page with extra personal information can affect the competitiveness of your resume. You only have two pages to impress, so it's imperative that you save as much space as possible to demonstrate that you're a good fit for your target job.
  When it comes to your personal information, you only need to include your name, phone number, email address and the general area in which you wish to work (for example, "New York").
  full text
When it comes to formatting, ensuring your resume is readable should be your top priority. This means breaking up large blocks of text into small, easy-to-read pieces of information.
You should separate each section of your resume with clear headings and borders, and the information you add to each section should be to the point and serve a clear purpose. Keep your sentences short and never exceed two lines.
You should use bullet points for all key information; in fact, all of your core skills, responsibilities, and professional achievements should be listed in bullet points. Highlights save space for unnecessary filler words and phrases, while also giving busy recruiters easy and quick access to relevant information.
  Too many pages
In today's job market, a resume that is too long will not be read in its entirety. Speaking of length, you should aim for about two pages.
Two pages give you enough space to highlight your key skills, accomplishments, and responsibilities without overwhelming or boring readers.
If your resume is currently longer than two pages, you can reduce it by writing more concisely and removing unimportant information. Remove any details that are irrelevant to your intended work or that do not add value to your application at all.
  bad page organization
A poorly structured resume can confuse recruiters and adversely affect your overall organizational capabilities. Whether it's a missing header section or a poorly structured job description, poor page organization can seriously hinder your chances.
0 notes
makeste · 3 years
Note
not (really) BnHA related but do you have personal tips/advice to get better at writing in English? every time I read something you write (be it meta or reactions or other things) I'm flabbergasted with the way your writing seems to flow so easily while staying extremely fun and concise, and your vocabulary which is sooo impressing!
first of all, thank you so much! I wish I had better advice on hand to offer, but all I can think of is basic stuff lol. but it’s what works for me, so here goes.
1.) use a thesaurus. I’m going to be completely honest here lol, my vocabulary is not really that great. or I guess to be more accurate, it’s not that I don’t know the words, it’s that I often have trouble thinking of the exact word I want to use off the top of my head. but I usually do know the right word when I hear it! so I use thesauruses a lot, especially when I feel like the word choice is important for the sake of clarity. my favorite one is powerthesaurus.org; I basically have this open in a tab on my browser at all times ready to go if needed. what I like about this one is that people can rate the suggestions they like best and also add new ones, which in my experience means you’re much more likely to find the word you were looking for close to the top of the list. I use it so much I even donated to them lol.
2.) get your ideas out first, then go back and edit. idk if this is a common thing or not, but for me a lot of times my thoughts are all jumbled around when I first try to write them down. and often I find that if I spend too much time trying to make them sound coherent, I’ll lose the flow of ideas and the post will sort of fizzle out. what works better for me is trying not to worry about that so much when I’m initially writing everything down, and focusing on just getting all of my thoughts out there in text form first. afterwards I can go back and edit and organize them and reword the parts that need rewording.
3.) don’t stress so much about the finer details of your writing. this is a big one for me lol. so for example, for me personally, I struggle a lot with writing transitions. a lot of times when I’m writing meta, I try to organize it point by point (btw it’s helpful to outline these when you’re starting out, if you’re not doing that already). but even when I’m trying to be as concise as possible, these points usually end up being waaaay longer than intended because I have a tendency to go off on tangents about random things (basically, something will pop into my head and I’ll write it down, and my brain will go “oh and ALSO, speaking of this thing...” and then I’ll write several more sentences or even paragraphs about said topic). and then when I’ve finally reached the end of one section and am ready to move onto the next, I often find that it’s hard to make that transition feel natural. there have been times when I’ve fussed about this way too much, because I wanted the wording to feel right, and that really dragged out the whole process.
but what’s helped a lot with this is being willing sometimes to just say “fuck it” and not worrying about it at all and just adding in something like “but enough about that, on to my next point,” or, “anyways I went off on a tangent there but let’s try to get back on track.” basically I just loosened up about it, and I think that’s helped, or at the very least it’s made the writing easier for me. so yeah, I think my general advice here is that if there’s a particular aspect of your writing that you’re struggling with, try to embrace the fact that it’s not going to be perfect, and try to roll with that. and a lot of times it turns out not to be nearly so big of a deal for the people reading it as it was for you writing it lol.
4.) the simpler the better. this isn’t a hard and fast rule by any means, but for me personally, my ADHD brain gets exhausted pretty quickly when I’m reading stuff that uses a more academic tone. even if I can understand it, my brain sort of rebels at the idea of reading it and I really have to focus hard to make it through. so I try to make my own posts as readable as possible. I don’t necessarily try to dumb them down or anything, but I do sort of subscribe to the “explain like I’m 5″ mentality where you’re trying to explain your ideas as simply as you can without actually sacrificing precision or accuracy. I think one of the more effective ways to do this is to try and adopt a less formal tone. a lot of times that one single change will make the thing easier to read, even if you’re discussing something really wild like theoretical physics or whatnot. for me at least, something about a writer being more casual makes it easier to follow what they’re saying without my mind wandering off.
and last but not least, 5.) practice. this is by far the most important thing. people improve their skills with time and repetition. I don’t know if my writing has improved much since I started blogging regularly, but I do know that it’s gotten a whole lot easier. words flow a lot more smoothly for me now than they used to, and I don’t have to stop and think about what I’m trying to say nearly as much. so that’s my biggest piece of advice. write meta, write stories, write whatever you like (but don’t force yourself to do it, though. try to find something that’s easy and fun for you to write about), but just do it as often as you can, and you are guaranteed to improve at it. a lot of people also say to read as much as you can, which is absolutely true as well, but really if writing is your goal than writing is what you have to practice. and it doesn’t have to be anything fancy or formal or otherwise Impressive, either; even just debating with someone on a forum or sharing theories with a group on Discord helps too. literally whatever you feel like doing. try not to focus on how good it is, and just have fun doing it. I know it’s the oldest advice in the book lol, but well, it is for a reason.
so there you go! not sure if any of that helps (especially since I unfortunately can’t offer any advice from a multilingual perspective, since English is my first language and really the only one I’m even a quarter fluent in), but it’s my best effort lol. and the thesaurus really is excellent though so I do recommend checking that out at least. thank you for the ask!
37 notes · View notes
Text
Consider These Web Design Suggestions
1. Make the web design's structure and navigation obvious right away.
People nowadays live highly fast-paced lifestyles, with everyone vying for their attention. If you're lucky enough to attract the proper kind of customer, your website should lay out your business and services as clearly and simply as possible. The most crucial aspects of your business should be highlighted on the home page. Your potential clients will quit your website in seconds if it is difficult to grasp. To accomplish this, put yourself in the visitor's shoes - forget about what you think and try to imagine what others believe and feel.
2. Color should be used with caution.
The use of too much and clashing color in web design is a typical mistake (particularly by inexperienced designers/clients). A decent web design should allow for a variety of colors, patterns, and textures, but that doesn't mean that each page should have five different color themes. Choose two or three colors that best suit the site's tone and aren't so distracting that your visitors will require sunglasses to enjoy it. Color should be used with caution. Start by seeing how it looks in black and white or shades of grey, and then add color to highlight particular critical sections.
3. All content should be'scannable' and absorbable in a short amount of time.
Break down each primary idea into smaller paragraphs with bold subheadings. You should provide adequate space around each heading and paragraph spacing between them so that they are simple to recognize at a glance or with a quick scan of the page. Visitors, especially on their first visit to a site, prefer to swiftly scan each page for the information they desire. To make material simple on the eye and thus more likely to be read, utilize bullet points, concise paragraphs, bold headings, and subheadings in your layout.
Tumblr media
4. Double-check that your material is readable and legible.
The number of fonts available for use on websites has skyrocketed in recent years. Many websites, such as fontsquirrel.com or Google.com/webfonts, provide a vast selection of font styles, allowing you to experiment with fonts in basic web page design like never before. With all this power, though, comes enormous responsibility: the best type of lettering for any project is one that is easy to read. Fancy typefaces that are virtually incomprehensible, writing that is too small, and text that blinks are all things to avoid. The goal of your site should be to make people's stay with you as simple and pleasurable as possible; don't overburden them with information.
5. Searching should be simple and straightforward.
Search engines provide information on topics that individuals decide they want to research or seek out, and the internet is a hub of information. Visitors to your website should be able to do the same thing. Some websites can quickly grow to hundreds of pages, and blog archives can quickly accumulate, so you'll need a way to navigate through all of that data. People will come to your site, quickly scan the navigation, and if they don't see what they want within a few seconds, they will return to the search engine results and check another site. If you don't give a good search on your website, you could be losing out on prospective revenue.
6. It's not a good idea to open pages (or any kind of link) in a new window.
Links that open a new window or tab should not be used in a well-designed website since they slow down surfing, make it more confusing, and are unlikely to work effectively on mobile devices. Current web standards rules (netplanet) recommend that you should not use this technique at all. When search engines like Google index your site, they will take this into account.
7. In order to establish trust, user privacy should be protected.
SPAM IS HATED BY EVERYONE! This is especially true if they were unaware of or did not consent to sharing their contact information. On your website, you must have a privacy policy that explains how you will keep personal information safe and how you will utilize any contact information you gather. Visitors must be requested to consent to subscriptions and the storage of their personal information, with the ability to unsubscribe at any time.
Internal connection is beneficial.
Internal linking will improve the usability of your website. Internal links that are relevant and have a purpose are likewise highly valued by search engines. All of your internal links should have a link name that is related to the content they are placed in and link to a page that is relevant to that subject; if all of your internal links point back to your home page, it is ineffective and unpleasant. Create orphan pages as little as possible. This refers to pages that have no internal links.
9. Don't forget to include the essentials.
Don't forget to include all of your fundamental information about your business or product on your website; it's plain sense. Some websites will fall short on this front; make sure your most important information, such as a map of your location, company hours, and a complete list of contact information, is in the top-level navigation. This information must be obvious and conspicuous on your website (at the very least).
10. If you want to get found by search engines, design for people.
Search engines are designed to help users find what they're looking for. People will not use them if they do not supply that. As a result, they go to considerable efforts to ensure that their work is of high quality. If you try to deceive a search engine into giving you a high ranking, you will eventually be discovered, and your site will be removed from the search results. That is to say, the best method to make your site discoverable is to design it with people in mind (not search engines). Your website's goal should be to solve a problem or deliver useful information. You should not be considering creating art or erecting a soapbox. Your primary concern should be to develop a website that is simple to navigate and has what they're looking for. If you succeed in doing so, the search engines will locate you.
1 note · View note
distressindisguise · 4 years
Text
How to Get Readers to Stay
Getting readers to want to read your work requires a good hook, but a lot more than that. I’ll do my best to describe what I think gets readers to the end.
1. Opening/First Lines
As a reader, an editor for some papers, and now an editor for a small publication, I can tell if a book is going to be good just by the first page. I get a lot of people asking me to read their fics on Wattpad, and I’m infamous for only getting past the first few lines and then closing out of it. Here’s why:
- Your first line has to be enticing enough for me to want to read the second one. If you start your story with something like “I woke up,” I’m leaving. I’m sorry, but I can’t do it.
- I need to get a glimpse of your main character somewhere within the first page at least. If I don’t know who I’m supposed to be rooting for, I won’t feel connected enough to continue. I see people make the mistake of doing so much world building in the first few pages. Yes I find that hella interesting, but if you don’t get to the point soon I’m not going to be as invested in the plot. Make the two marry each other. I need to see personality amidst action and setting.
-just the writing itself. If your prose feels robotic, I can pick up on it quickly. Nothing is worse than opening a book and seeing that all of the sentences sound like “he said this. He did this. He walked here. He sat there.” That isn’t interesting. I won’t stay. Avoid that. Pieces that borderline someone taking notes on a notepad with lists of description and vague action are draining.
-Your first chapter should hint at the impeding conflict or at least set up some heavy foreshadowing through backstory or what have you. Even the fluffiest of stories have a conflict or desire. Don’t deprive me of that
-keep to the promises you gave in your summary/synopsis. If the summary says something along the lines of “they hate each other.” And the first chapter is more “I know I love him but I hate him,” because you’re trying to establish enemies to lovers, please make the hate real and drag it out at the beginning. On another note, your character shouldn’t have to tell me they love him, I should have to figure that out. Anyway, There’s a difference. Stick to your promises!! Especially in the beginning!!
2. From there on...
-Something always needs to be happening to advance development of the character or plot. Even if there’s a lull in the overarching plot of your tale, this space should be filled with writing that enhances the characters or their relationships. Is that scene of the main couple watching movies on the couch cute? Sure. Does it tell me anything new about them? Not really. But if they had an important conversation that establishes their feelings, or how they reconcile or what have you during that movie, that would enhance development. There’s a difference.
-please don’t rush. I hate nothing more than when I’m reading the book and there’s a nice pace in the beginning out then all of a sudden something happens and the characters/relationship rushed ahead 3 stages without an explanation. I will leave.
-don’t ruin your characters. If you change up their views or essence in the middle of the story, that causes confusion and annoyance. I will leave.
- Your chapters, or in shorter pieces, should end with intrigue. Even if it’s a short story where they live happily ever after, there should still be more for me to wonder about. For instance, I know Cinderella gets with the prince. But there’s still things to think about when it comes to their lives after the fact. That’s why Disney milked it and made like 3 more sequels... even if you don’t believe in all of that “left up to your interpretation” bs that rules a lot of the darker stories I see today, you should leave just enough for me to wonder. That works especially well at the end of chapters. It gives me a reason to stay and turn the page. It’s that build of suspense and wonderment that keeps people.
-when you’re writing, try to find your “thing.” Everyone has something that makes them unique. Once you find that little quirk, play up on it. Readers can usually point it out too, and it makes them want to stay in order to see more of it. For example, a lot of what makes my fanfics readable is I have a few things that have come staples for me. I’m good at one liners, and my humor gets people. Not only that, but I hide little things in all of my longer stories. The number 27. The time 11:57. Putting the line “I can assure you, I am not little,” has become an inside joke between some of my readers because I add it in like every fic to see if people catch it. These are little things you can hide throughout your work.
-don’t reveal all your cards too soon. Make your characters, and your readers, work for that satisfying ending even if they know it’s coming. It’s the other elements along with the plot that make people stay. Don’t spend all your time focusing on just linear plot points to get from start to finish. I need more than that to stay.
I know this list wasn’t very concise, but I hope it helps! For those of you publishing on platforms such as Wattpad or ao3, all of these apply, along with interaction!! Ask questions at the end of chapters! Respond to comments! Get people coming back :)
27 notes · View notes
kitkatwinchester · 4 years
Note
Happy Fanfic Writer Friday!!! If you could rewrite your first story with the experience you have now, what would/wouldn’t you change?
Happy Fanfic Writer Friday! 
Oh god. Like, my very first fan fiction? Umm....everything. I would’ve changed everything. I hate that story. XD XD 
But in all seriousness, my first fan fiction was kind of a mess, for a lot of reasons. I was inexperienced, I was 14, and it was written on a whim. That said, what came out is about what you could expect. 
My first fan fiction ever was called Supernatural Adventures in Babysitting (I shouldn’t even be linking it, it’s so bad, but I’ll give you the option to judge for yourself lol), and it’s an author insert fan fiction about me and my best friend babysitting my younger siblings when Sam and Dean Winchester somehow travel to our world and track a demon to our house. The thing about the fic was that, in our world, the show Supernatural did exist, so when Sam and Dean show up, we know everything about their line of work, and we wind up helping them on the hunt. It was supposed to be this really long series where me and my bestie wind up hunting with Sam and Dean for several months before they eventually manage to make it back to their world, but I, for the life of me, could not make it farther than chapter four of the first part in a way that I liked, so I eventually gave up and came up with an ending and that was the end of it. 
All of that said, knowing what I know now, and with all of the experience I’ve had both in life and as as a writer, there are a lot of things I would change. 
For starters, I would not have made it an author insert. While I have nothing against O/C’s that represent my own personality (which I do have), using my own name, but in third person, and with my best friend’s name now just feels...childish and immature. It makes it less of a story and more of a narrative, because I couldn’t really separate myself enough from it. I don’t know if that makes any sense, but the idea of writing an author insert now seems blasphemous, so...there’s that. 
Punctuation. Oh. My. God. Let me tell you, 14-year-old me did not know how to ease up on the exclamation points. Half of the dialogue is followed by an exclamation point, some by a good two or three or four. It’s just...bad. Again, it looks and feels childish and immature, which, I suppose, is understandable for the time it was written, but it still feels embarrassing now. XD 
Show, don’t tell. That sounds so cliche, but it’s true. Looking back at that fic, I feel like there was so much unnecessary explanation. “They did this because they were feeling this way because this had happened so they were thinking this.” When I read it now, it seems so wordy. There are so many words--even full sentences--that I could take out that would make the fic much more concise and readable. Of course, there’s nothing wrong with detailed description, but I’m talking about things like “she opened the door by turning the knob to the right and pushing with everything she had” when these girls are literally running for their lives. If they’re running, I don’t need that description. There should be tension. I shouldn’t be breaking that down, that takes too long! Just help my readers feel the tension with my conciseness. In any case, that’s a big one. 
Along those same lines, in general, I’d like it to be more realistic. Nowadays, I work really hard on that. I make sure movements make sense by walking them out on my own. I imagine myself in the room with them so I can orient everyone properly. I take good character notes--whether they’re my characters or others--and use those to make sure I’m keeping characterizations on point. In general, I just work really hard to make it seem real to the audience in a way that they could put themselves there and it would make sense. This fic doesn’t have that, but I would love it if it did.  
Last, but not least, in general, I’d love it if I could add more complexity to it. Solid word choice, detailed descriptions, snappy dialogue, metaphors, parallelism--these are all things that are in my much more recent fics that I really wish I would’ve incorporated into my first fic. I’m most proud of the moments where things are particularly symbolic, or where ideas connect and parallel each other, and I wish I had done more of that in this story. If I ever went back to edit it, I totally would (though I don’t think I ever will--sadly, the inspiration isn’t really there anymore). I just think it’s missing some of the complexities that would make it deep and meaningful. 
With all of that out of the way, I will say that, for my younger self, my first fan fiction wasn’t necessarily the worst thing on the planet. While I’m definitely not proud of it, it did have some strong points. The attention to small details was great, and I stuck really closely to canonical elements from the show. The fic was also originally suggested by the bestie included in the story, and I wound up including everything she asked for, which I think is impressive given that I wound up cutting it off. So, it does have some strong points, and some things I would definitely leave in, but overall, if I were ever to go back to it, it would need some major rewrites. 
This was a really great question, and I’m sorry it was such a long answer, but I hope you appreciated it! Thank you for asking! <3 
5 notes · View notes
airxn · 4 years
Note
What’s one thing that other people seem to hate that doesn’t bother you? What advice would you give to someone new to rp?
Tumblr media
36. Hmm… I honestly hate what other people tend to hate? As in overly formatted posts with the tiniest of icons so the whole post is just a cluster fuck on the eyes. Otherwise I’m not sure? 
38. Okay this might be long, so– bullet point system.
• DO NOT reblog a lot ask memes and dash games until you get active writing partners. I see so many new rpers who constantly reblog them hoping people will send stuff in. Asks are great yes! But… most memes and sentence starters tend to be OOC for people’s muses. And even when you have more mutuals it doesn’t mean they’ll send stuff in either. Instead you send asks to people. They might not always be answered, but you’re putting yourself out there.
• Reach out to people. Do not try to get by without trying to actively interact with people. This can be liking and replying to things too! But if you sit and wait for people to come to you it just won’t happen– at least not right away. You haven’t given a reason to want to reach out to you. Put out the energy you want people to put into you!
• Be organized. Make your pages accessible and make them readable. This doesn’t mean fancy aesthetics at all, but if you let your pages be a disorganized mess with hunks of text it will turn people away. I’ve learned in my years is less is more. People won’t read through giant bios all the way through. They’ll skim and mostly pay attention to stats. So as long as you’re concise, organized, and to the point people will understand your pages and there will be less confusion.
• Gaining active interactions takes time. It has taken me seven years to get to where I’m at. If you’re an OC you’re in for the slowest climb, but don’t let that dishearten you. You must give people a reason to care. Your about pages won’t be enough. Post headcanons, send asks, reply to opens, reach out to plot with people. You must make yourself known if you want to be known. And this can definitely take awhile, but like I said put the energy you want people to put into you. 
Tumblr media
the be honest meme.
3 notes · View notes
gumnut-logic · 4 years
Note
Ooooh okay! For the ask thing, 41 and 33!
41.  Any advice for new/beginning/young writers?
The One and Only Rule:
Any and all advice should be ignored if it doesn’t work for you. You know yourself better than anyone else. Try different things out until you find some things that work for you and run with them.
Things that have worked for me (that you might want to try out/discard):
The boring bits like layout and punctuation – unless you are going to remove every capital letter in a fic for some important reason, please don’t. Readability is very important. Punctuation exists for a very logical reason.
Beat – language has rhythm and beat. I have a background in poetry so I’m aware of this and read all my lines try to make sure they flow well (when I’m not already fifteen minutes late for work, that is). It is most obvious at the ends of my fics as they will beat to an end, often with a short one to three-word last line. This also explains all the weird structure in my fic. I am a fan of short and concise and often have one-word paragraphs. This may kick me in the butt if I ever try to go professional (beyond what I already write for work), but I feel it communicates quite well.
Don’t use the same word twice too close together – When you use the same word twice or more it messes with the beat. The words echo off each other and distract from the communication of the scene or action. Unless you want to emphasize that scene or action and match it to the beat. And yes, I have repeated those words on purpose. They actually kind of work in this situation. But the situation can change. And if you get the words off beat, you can end up with a poor situation. (Note: The first and third ‘situation’ are what I’m talking about). Yes, this proves why I’m a poor teacher.
Every word should, in theory, have a reason to be on the page - reread everything and kill off any word that isn’t necessary. Kill off extra ‘that’s and watch your ‘had’s – ‘that’ is a word that is often unnecessary. ‘Had’ can inadvertently mess with your tense and create passive voice. Look out for chaining ‘and’s, there should be no more than one per sentence unless unavoidable due to lists.
When writing action, write short and sharp. When writing calm, write slow and easy. This relates to beat and rhythm. You want your reader’s heart rate to increase to excite them or make them nervous, so increase the beat. The reverse is true for calm scenes – you will often here me ramble on about scenery when I have Virgil on a beach feeling the breeze, but hardly any description in an action scene, only movement.
One way to do this is to move your description to the verbs.
Virgil slammed down the chunk of concrete.
Virgil lowered the chunk of concrete.
The entire description of his action is contained in the verb. This is also why I don’t like wasting verbs by using things like ‘said’, ‘walked’, ‘put’, etc. They are empty verbs and lost opportunities to add colour to the prose. I prefer ‘screamed’, ‘whispered’, ‘grumbled’ or ‘shouted’ to ‘said’; ‘stomped’, ‘slunk’, ‘skipped’, ‘traipsed’ or ‘trotted’ to ‘walked’; ‘threw’, ‘chucked’, ‘dropped’, ‘plonked down’, ‘slid into place’ to ‘put. English has the largest vocabulary on the planet, use it.
The adverb thing – there is a lot of raving about adverbs being bad. I still haven’t entirely worked out how bad they are, but I’m a strong believer that if it sounds good and communicates clearly, then it is doing what it needs to do.
Tenses and POV – I prefer to stick with one at a time (though admittedly this isn’t the only way of writing, I just prefer it). I find it very disconcerting to be reading from inside one character’s head and then suddenly bounce to another’s mid-paragraph, or in some cases, mid-sentence. I like to stay in Virgil ‘s head for one section of fic, then break before skipping to Gordon’s. The reason for this is that looking through Virgil’s eyes comes with a very different world view to looking through Gordon’s eyes. For example, Virgil looking at the sea through an artist’s eye sees the ocean very differently to how Gordon would see it through his scientific background. Gordon might know the species of seaweed that has been washed up on the shore. Virgil might just see it as brown sea detritus. This leads to different phrasing and description. Also, each character thinks in its own way. I write Gordon much more colloquially than I would write Eos, for example. I could ramble on this bit for hours, but I’ll just say that there are a lot of reasons for watching points of view and what you do with them.
Ultimately communication is the key – you are trying to get a scene and evoke a certain kind of emotion from your reader. If you can communicate that, you have succeeded. How do you know you’ve done it? Get someone you trust to read through it. Even better, get a beta reader with a nasty red pen to read through it and scribble all over it (if you are ready and feel strong enough to take CONSTRUCTIVE criticism with possible suggestions to fix any problems). Ultimately, it is your fic and you have final say, but I find it very important to get someone to at least look at it with fresh eyes, particularly if I’ve been staring at it too long and the pictures in my head leave me too biased to see clearly. Also, great when you get to the point where Virgil, big tough guy, is bawling his eyes out and I’m going ‘how the hell did that happen?’ Did he have enough motivation to end up that way? Have I thrown him out of character? Omigod ::tears hair out:: What is happening? Scribbs and Veggie help!!!!!! What have I done?! Yeah, a reader often helps to sooth the nutzoid writer.
Which leads onto this – outside the writing of the work itself, find a good group of friends to share it with. All creativity is best shared. It makes for a better experience. It also opens you to learning and encouragement. If you land in a shitty group of people who mess with your mojo and crush your spirit, get another group of friends. You don’t need crap.
Be willing to interact with the group in a positive and open manner and share your experiences. Comment on other people’s work and generally be kind. You often reap what you sow. Not always, but it is generally good to be nice anyway. Different writers have different experience and confidence levels. Writers groups should be a safe environment where everyone feels confident that they can put their work out to the group and receive encouragement. Never give unasked for criticism and if you are asked for your honest opinion, always state it in private and couched with a lot of reassurance and positivity.
Be open to learning, but remember the One and Only Rule at the top of this page. Take what works for you, and ignore the rest. That is actually a good general life rule – I used it when I had my babies – the advice you get the moment you announce you are pregnant is insane – the one and only rule works well in that situation.
Be always aware that you will never have learnt everything. You will always be learning new stuff and that makes it fun.
Umm, I rambled a bit, er, sorry ::hides:: Also, I’ve probably forgotten several things.
Oh, another question ::takes a deep breath and dives in::
33.  Have you ever killed a main character?
Yep.
I used to do it a lot more years ago in other fandoms. Usually only in barely prose closer to poetry when I was feeling dramatic.
I’ve only done it once in this fandom. Poor Gordy. I’m sorry. But there was fix it fic! Thank goodness for the Scribbs :D
Oooh, look, I answered that in less than 2000 words ::headesk::
Nutty
(I’m ridiculous, I’m sorry)
17 notes · View notes
margaeryrtyrell · 4 years
Text
Seo tips  for websites
Professionals Share the Most Efficient Search Engine Optimization Tips to Drive Website Traffic to Your Web site [Professional Roundup]
If you have a site, the concept is for individuals to visit it. A site s traffic shows just how well a service is doing online. It is likewise a sign of consumer habits, and also will assist you formulate an advertising strategy that will get you a far better position in the internet search engine outcomes.  The basic idea of SEO optimization is obtaining extra website traffic to the site. But with 1.24 billion websites on the planet, just how do you guarantee that your web site gets great web traffic?  Right here are my top seven Search Engine Optimization ideas that will certainly help drive traffic to your site:  
7 SEO Tips to Drive Traffic
 Key words: In many searches, at least 50% of people make use of 4 words or more. This indicates that simply keyword phrases are not important. You require long-tail keyword phrases that are specific to the search.  When it concerns broad key phrases, there is difficult competitors available which implies that you require to provide something even more to stick out amongst the group. A long-tail keyword is very important to ensure that individuals get specific results of what they are searching for.   Top Quality Content: In this affordable world, there are lots of people that write on the very same subject. What should you do various to obtain noted at the top of the search listings? The response is composing great, well-researched content.  The material on your website must likewise vary to prevent any kind of inner competitors amongst websites for online search engine listings. You need to arrange your site in manner in which when individuals look for something particular, all associated info is quickly accessible. Also ensure that your material is on a regular basis upgraded as internet search engine frequently check for updates to supply the most effective outcome to its customers. Composing great material can improve up your web traffic and eventually impacts your SEO.  Meta Description as well as Title Tags: Title tags are similar to a book title. This is the clickable link that appears on online search engine result pages. If we take Google s instance, a perfect title tag should be much less than 60 characters.  A meta description is what appears below the title in internet search engine results. This is what produces the first impression on a user, and believe me, first impressions issue. If you have a great as well as concise meta summary, there s a better opportunity of people visiting your websites and additionally good for SEO.  Enhance Pictures: Pictures are what include shade to a websites as well as make it less dull. I can t also think about a websites with pictures. For a far better online search engine listing, make certain that you optimize the pictures by adding descriptions, alt tags, and also titles. Its valuable for your site Search Engine Optimization initiatives.  An internet search engine can t recognize an image s web content. It is the text with a picture that aids them rate exactly how appropriate a page is. For this, use initial, ideally sized, top quality pictures.  Backlinks: For a search engine, back links are a recommendation of a website. A visitor blog site on another website that connects back to your own will certainly drive web traffic to your internet site.  Obtaining a listing in on-line directory sites will additionally drive traffic to your website. The summary of your company in a e-directory will have a web link to your site. Make sure you constantly upgrade your info in these directory sites to produce web traffic and also enhance your Search Engine Optimization position.  SSL Certificates: For an online search engine, an SSL accreditation is essential. What an SSL certificate primarily does is it alters your web site s http:// to https:// that makes it extra trustworthy as well as safeguarded. If you want an internet search engine to trust you, a SSL certification is a must.  Mobile Kindness: According to Google, there are more mobile searches than on desktop computers in 10 nations consisting of Japan and also the US. In order to take advantage of this growing pattern, your web site requires to be mobile friendly.  Obviously, apart from these fundamental SEO suggestions, there are numerous various other ways that SEO can help drive website traffic to your site. Listed below, 91 SEO professionals share their finest SEO suggestions for web traffic generation.
Radomir Basta - 4 Dots
There are lots of points you can do around to accomplish this, yet I ll distinguish a number of foundational actions or seo pointers to take, to start driving more major traffic from online search engine queries.  To start with, make your internet site as technically polished as feasible.  People in some cases just maximize their web site on the surface, however stop working to dig much deeper as well as minify code, enhance the web server, relocate javascript to the footer, eliminate unneeded tracking scripts no one is making use of and so forth.  These tweaks, when built up, will create a significantly far better individual experience in regards to page tons rate, and also this is a straight signal for enhanced internet search engine rankings. After all, your final goal as an internet site owner is to make users feel comfy when browsing through your web pages, and so is Google s.  Along with this, I still can t imagine a full SEO project without deploying an appropriate web link building method combined with PR/branding efforts.  Publish outstanding and also pertinent resources on your sites, promote them both via social media sites projects and hand-operated outreach initiatives, and also it will work wonders for both the page you are aiming to enhance as well as the site authority in general.  Visitor posting is still the very best seo service for boosted brand awareness as well as well-targeted back links. Just focus on websites with a pertinent audience and also you ll be great.  Ultimately, producing touchdown web pages for all appropriate subjects with website traffic capacity ought to enhance the web site s keyword reach, and place it for new as well as potentially better converting keyword variations that vary across markets, areas, language and also social obstacles, expert occupancies or topical savviness.
Phil Rozek - Regional Visibility System, LLC
The create terrific web content and make excellent web links recommendations has been covered enough in the meantime, including by me. So my finest piece of less-obvious Search Engine Optimization guidance is: either specialize in a slim specific niche, or start supplying a truly unknown service (or item or widget). The weirder as well as even more specific niche, the far better.  If you re the only company, or only regional one, or the very first one, you can grab some very easy rankings, website traffic that contains individuals with a particular as well as prompt requirement, and often even a couple of simple links. Also, some individuals will come for the strange little solution as well as remain for the more-mainstream service( s) you supply?? for which your positions as well as exposure perhaps aren t so great. Go a little off the beaten path.
Eric Siu - Single Grain
There is so much material on SEO available, and it can really feel challenging to start an optimization overhaul. I concentrate on ideas or methods that are effective AND make the very best use resources, including the material you currently have. Right here goes:.  Update your existing material?? Existing material already has authority as well as a well established readership. So instead of composing something totally from scratch, discover a blog post already doing well, rejuvenate it with updated info, add visuals, as well as depend on existing signals to make it rate for terms.  Improve interaction to enhance positions. Take your existing web content and also make it a lot more readable?? separate any kind of huge blocks of message, splitting material up with headers, bullet points.  Concentrate on subjects as opposed to key words?? Google formula updates now allow the online search engine to identify intent as opposed to count solely on the actual key words. So while keyword research study is still very essential, concentrate on what customers are looking for as opposed to different methods to phrase a search query to increase up your SEO.   Develop backlinks?? Made backlinks?? via top quality material, outreach and also influencer advertising and marketing?? are still incredibly effective. As well as try to find guest uploading chances on reputable sites. We developed our domain name authority on guest messages from excellent websites like Entrepreneur, Hubspot, Forbes, and also more. While both back links and guest posts will take some manual outreach as well as tenacity, they re big for your brand name acknowledgment and Search Engine Optimization.  Reporting and also analytics suggestions?? The numbers put on t lie so measure what s functioning and also what s not as well as always remain to iterate.
Anna Lebedeva - SEMrush
Search Engine Optimization is an ever-changing idea. So to talk about search engine optimization, you really have to see what s going on with Google as well as its formulas. If we utilized to speak about keyword phrases, alt tags, LINK framework and also link-building?? I put on t wish to be deceptive, these things do still issue, a great deal?? material is now getting miraculous significance.  Material is king, we ve all heard it. Yet, material made use of to be vital because it was the way to position the best key words, to obtain backlinks and more. Yet, now when Google is all about search intent as well as bringing one of the most appropriate pages before the user, material becomes progressively vital to getting web traffic.  Besides, where does traffic come from? From individuals finding your content in much less time than your competitor s content. Which s when you need to enhance for # 1 or absolutely no setting. And also you just arrive if your content satisfies user s intent. That s how it functions. That s really completion factor of all SEO suggestions, techniques and also techniques.  So, I d state, rather than utilizing ideas and also plain techniques to maximize for online search engine, try to really get into the individual s head. What does he indicate by typing in fancy dining establishment for Valentine s Day. And also make certain your material addresses his/her needs. Individuals wear t requirement material for the sake of content, or for keyword phrases, or for backlinks, they require it for answers?? any kind of search inquiry is generally a question, even without the question words, so your actual task is to answer that concern.  So, the best Search Engine Optimization suggestion is a fundamental content optimization to respond to the inquiries your customers have, and also for that, you truly need to understand your target market as well as prepare for any concerns they require responses for. It s like an excellent old focus team strategy made use of in standard marketing?? prior to developing completion item, big companies purchase customer viewpoints and the needs they require to be covered.   Therefore, in addition to mere keyword/backlink research as well as on-site optimization, concentrate on discovering the questions your possible individuals require answers for. At SEMrush, we tried to accept this pattern by presenting rather an one-of-a-kind function for the SEO/content market?? we established a tool that really investigates the most prominent answers for the specific subject you are composing a piece of material on.
1 note · View note
lefaystrent · 5 years
Note
Hello I am Taiannah and wanted to ask u if u have any drawing or fandom writing tips I could use bc I really need it and I suck
Heya kiddo! I’ll give you the besttips I can. I don’t draw that often, so I don’t have many tips for that. What Ican say about drawing though is the more art references the merrier. Studyother people’s styles, see how they do it, and from that you can eventually developinto your own style. Watch a lot of art videos, speedpaints, etc. Don’t beafraid to play around with lighting, shading, colors—all that fun stuff. Andabove all else, practice practice practice.
Now writing tips? That’s more up myalley. Here’s a list of some general rules to writing.
1.    You’ve got a plot, but it’s not totally original? That’sokay!Completely unique ideas are almost unheard of in this day and age. Populartropes are popular for a reason. And what matters most is that this is yourspin on it. Don’t let what other people have already done stop you.
2.    Edit your story/chapters. I like to edit atleast twice before I post. Having a lot of mistakes in your story (especiallyyour story summary) can hinder its readability. I’ve clicked off stories beforebecause there were too many mistakes to sift through.
3.    Story summaries are essential. You have a verybrief time to sell your story to a person before their attention is diverted. Youcan use excerpts from the story itself (if there’s an excerpt that gives thereader a broad enough idea, that is), or summarize it yourself. Whatever youdo, make it as concise as possible, because every word counts.
4.    Get a feel for the pace. Know when to slowit down or speed it up. For longer stories in particular, letting the pace ebband flow can give readers time to breathe in between the fast-exciting parts.High tension all the time can exhaust the reader.
5.    Pacing also affects sentence structure. For example, alot of action and comedy scenes? You want your sentences to be morehard-hitting and to the point. Less about in-depth character thinking (unlessthat’s part of the comedy), and more about letting the events continuously flow.Remember that lots of fight scenes are over in a minute or less real-time. Andas for comedy, an effective tip is to use less lengthy dialogue tags (or noneat all if it’s a back-and-forth between two characters). Like so:
“Is this thatbonding thing I’ve heard about?”
“Shhh, just acceptit.”
“It burns.”
“That’s the bondsetting in.”
“I think I’mallergic.”
6.    When it comes to AUs (alternate universes), don’tworry so much about if you’re keeping a characterization true to canon. Environmentshapes an incredible amount of a person’s personality. Given the right circumstances,any person can be driven to be a certain way or do a certain thing. Charactersaren’t any different. Focus more on how realistic their behavior is in terms ofthis particular world they live in.
7.    Narrative shapes how a reader perceives a story. Before writing,ask yourself what you want to accomplish in a scene and which character’s pov(point of view) will help you best achieve that. Whatever character you end up picking,stay consistent by staying in that person’s pov. Don’t randomly wander over tosomeone else’s pov, unless you’re writing in something like third-person omniscient(story-telling where the narrator knows the thoughts and feelings of allthe characters).
8.    Stay consistent with verb tense as well. If you’re writingin past tense, don’t slip into present tense. If you’re writing in presenttense, the only time to use past is when something happened literally a whileago, not during the current events of the scene.
9.    Leave out the unnecessary bits when writing a scene. For example, Idon’t need to know every detail of a character’s morning routine (unless thatroutine reveals something eye-opening about the character).
10.  Be wary of plotholes.Plot holes are gaps in the plot, things left unexplained or happen for noreason. For example, in Disney’s Toy Story, Buzz Lightyear is introducedbelieving that he is real and not just a toy, but he freezes along with theother toys whenever a human enters the vicinity. If he believed he wasn’t atoy, why did he freeze? There is no answer.
11.  Listen to yourcharacters.There is a difference between a character wanting to do something, andthen the writer wanting them to do that something for the sake of theplot. Understand what motivates your character and let them do their thing evenif you didn’t plan for it originally. Think of it as if they’re in the driver’sseat. If you yank the wheel, the car will crash. But if you gently nudge the wheeland guide them with directions, they’ll get there eventually.
8 notes · View notes
Text
Review | Northern Star
Judged by Mary Seph (ArimaMary)
Category: Simple Is Best
[ Author: Tieg2001 ]
Tumblr media
>Title 3/5: "Northern Star" does the trick. It tells the reader the story is about Fubuki. Perhaps it is merely bad luck, but I have read that title being used recently in other stories so it does not come across as impressive or eye-catching. It is an alternate ending of Fubuki's arc, so something like Rising Star or taking another step and tie the title with something referenced in the story itself (basically, using a metaphor) will make it more relevant and eye-catching, making the reader go "ahhhh" or "ohhhh "when they understand why the story was named that way.
>Plot 16/25: I have to say, it took me quite a few reads to understand what was going on. Perhaps it was the word choice or the lack of physical description that made the story feel as if the characters were floating. This caused a snowball effect that affected your other scores in its respective categories. I would say half was the plot shown in the anime, and another half was your own twist; although at the first read I didn't see any divergence as you mentioned because of the first thing I said. I judged only on the plot of your own creation. What made the story fall in this item is how these new events were handled. The beginning is interesting; it would be so much better if the word choice improves considerably. The second twist didn't quite work as well because it seems to come out of nowhere. Starting from the beginning of the story, I don't know the protocol when an avalanche occurs so I will guess it is similar to a landslide. Someone reports it, and authorities like the police and the ambulance come to investigate. It is unclear if the sirens are getting close because of the accident or because of the avalanche (which has to be cleaned of course). On another topic, it would have been interesting to have had a solid visual of the state of the scarf when it was first mentioned. Was it hanging from a branch, a piece of metal, or in the floor? How come the lady asked if it was Fubuki's and not who did it belong to? On the topic of the lady, someone definitely should have stayed by his side to get a testimony or for emotional support. I was sure it was going to be her. He's just a little boy after all!
The next scene suffers from the recurring fault I first mentioned, unclear wording. I had no idea which soccer match it was because there were no pointers at the very beginning, grounding the scene. And it was just as hard to know who this goalkeeper was without a name--recommendations for these points are in Grammar and Style where I bring up more of these examples. The part I had the most trouble understanding was the turning point which hints a time skip, I think. Because I am still confused after thoroughly dissecting this one-shot. The change in the characters around Fubuki after this skip seemed baseless, out of nowhere. First being aggressive then supportive. Where did that come from? It needs a trigger, a strong one; and it will raise the emotions--the rising action--to swipe the reader off their feet. The ground has plenty of potential. You need to dig deeper.
>Characterization 11/20: I will be scoring the following characters: Shirou (little and teen), Atsuya, the lady, and those two characters whom I won't name due to spoilers. Firstly, Little Shirou didn't portray much of his personality save from "Atsuya. . ." which by this point is a trope. Personality is best shown through actions, and the most distinct, the more a character's psyche is exposed. With third person narrator, this is where I recommend you place your focus. Secondly, the lady seemed really cold, leaving little Shirou alone. Her dialogue seemed to be merely for plot purposes rather than anything else. I want to bring up the turning point again, the rising action, and this is a key point where Fubuki's personality would--should-- have shone. He was like clogged water where he should have risen like a tsunami and flood the reader with emotions: anger, sadness, helplessness, and hope. With a character as beloved as Fubuki which rose the popularity polls (like the wind!), it was this strong relatability and capacity to make the viewer feel empathy that he became a favorite. From the ten points of his character, I gave you five, and a two for Atsuya because, sure, the dialogue was in-character, but his personality/actions were inconsistent. The lady didn't do much, and those two characters seemed to be for plot purposes rather than having actual personalities.
>Grammar and Writing Style 11/15: Now for the good stuff. I put extra effort in this part because of the time you have been writing. I hope this can help a lot. The way you used spacing is quite messy and at times confusing--those short scenes in which extra spacing. Sadly, Wattpad doesn't quite work well with an extra space like in books. But! I just read a story which made great use of this spacing. In general, you have three options: spacing, symbols, and transition phrases. For this part, a transition phrase might work well. You need to find when to use which. But the symbols were used appropriately. Good job.
On another topic, there was some glaring use of passive voice, two clear examples being "Silence reigned, no sound was to be processed by Fubuki" and "By the use of skilled faints, the football got carried away forward by Gran." Use active voice instead. This is big. Always check for passive voice while editing. Onto style, there were instances in which some descriptions were too vague like "creature of [the] wild". "Wolf" delivers a clear and concise image in the readers head. Use clear words. I can say this the whole story. This is crucial. Fortunately, this can be easily fixed with adding sensory descriptions: the yells from the team, the grass at Fubuki's feet, the distance he feels from the match as if he weren't there. Ground the story, and you can ground a reader to it. Perhaps you are trying to sound fancy (and I apologize if those words sounded rude) but trying to make something seem bigger than it is in the narration shows the writer is trying to make something seem bigger than it is. Dialogue-wise, it seems the lack of dialogue tags in the italicized dialogue ended up backfiring, merely adding to the confusion. Save from the lines that were obviously Atsuya's, I had no idea who this person was or how to follow their lines. If you want to add mystery to the identity, you can describe their voice or throw hints about their appearance for the reader to put the pieces together, like breadcrumbs leading to a house made of candy.
You requested some analysis in your use of metaphors and I will focus on that now. One of the best metaphors was mirroring Fubuki's actions with his tears, and I will mention this again in Feels Factor. Using his tears as a starting point glued the tragedy tighter. You also compared the pure white snow with the smoke. To make this one more effective, you could add what the black smoke represents (tragedy, loss, trauma, etc) to the purity of the snow, because both are blinding but in different ways. The white snow seemed to represent Fubuki's desire to escape from reality aka the black smoke! Years passing like a blizzard was really nice too!
>Originality 8/10: I took two points for half of the one-shot being about events shown in the anime. I like you chose to show the accident at the very beginning and write about Fubuki in his best and its worst. My scoring is harsh enough so I will cut this part short.
>Feels Factor 11/15: Readability definitely seems to be the rock Northern Star bumped and fell face first on. It didn't make me feel because I was busy trying to understand what was going on, and in some moments when I felt a ripple, it was because the phrasing seemed out of place. As I said previously, clear words. "The boy with no family" would be easily replaced with "orphan boy" and be saved from a weird sense of pity that didn't quite belong there in my opinion. The events in this story are crucial moments for Fubuki as a character and a person. The readers should have felt all the emotions that flooded him: despair, helpless, sadness, anger, emptiness, and whatever else you wanted to show.
One thing that worked really well was "One tear fell. And then the boy." That's tragedy. The impact that caused the second sentence being the start of a new paragraph was so effective. Also, when he found Atsuya. I winced a little. Third person point of view is detached, but can also allow some strong imagery and description that are limited in other POVs. Tell me about the bloody snow, the smell of gasoline, the yells of Raimon, Gouenji's angry frown. I know I have said this quite a few times, but your writing reminds me of the first years I started to write. Don't lose faith, each story counts!
Total: [Raw] 60/90 [Final] 67%
1 note · View note