#how to use hr tag in html
Explore tagged Tumblr posts
xiaokuer-schmetterling · 5 months ago
Text
PODFICCER (and fic author) RESOURCE: things i learned about HTML today
-> from this reference work on ao3: A Complete Guide to 'Limited HTML' on AO3 by CodenameCarrot (please go leave a comment if you find anything here useful !!!)
EDIT: OMG Y'ALL I HAVE BEEN HAVING SO MUCH NERDY GEEKY FUN TWEAKING MY PODFIC HOW-TO GUIDE WITH THIS STUFF
headings, blockquote, div
Tumblr media
----
Tumblr media
-----
html currently allowed by ao3 html sanitizer
Tumblr media
a. abbr. acronym. address. b. big. blockquote. br. caption. center. cite. code. col. colgroup. details. dd. del. dfn. div. dl. dt. em. figcaption. figure. h1. h2. h3. h4. h5. h6. hr. i. img. ins. kbd. li. ol. p. pre. q. rp. rt. ruby. s. samp. small. span. strike. strong. sub. summary. sup. table. tbody. td. tfoot. th. thead. tr. tt. u. ul. var.
-----
in-line (text) formatting tags supported by ao3
Tumblr media Tumblr media
-----
OMG LOOK AT THIS !!! IDK WHEN I WOULD EVER USE THIS BUT LOOK HOW COOL !!!
Tumblr media
-----
paragraphs & p formats: archiveofourown.org/works/5191202/chapters/161901154#AddParagraphs
Tumblr media
-----
omg I'VE ALWAYS WONDERED HOW TO GET THAT LINE BREAK THINGY IN THE MIDDLE OF THE PAGE !!!
Tumblr media
-----
end post
6 notes · View notes
theplayer-io · 5 months ago
Text
So I know how to code websites now, but idk how to upload it to the internet. My plan is to give you all a post that will update with a string of code to sort of visit the website(s?) that I am curating. I will reblog a post that had the original, and include a more patched version as time goes on. I am so sorry in advance.
Because of this.... Lemme show you how html and css works!!
For Project Our Realities, it will all be in html and css since that's what I'm learning so far. JavaScript will be included later.
HTML and CSS basics below!!
HTML, or Hyper-Text Markup Language is the basics of coding a website. It describes how a website will look. It unfortunately doesn't get you too far in terms of digital design, which is why we have languages like Css and javascript.
All HTML files start with <!DOCTYPE html>. This declares to the file that you will be coding in html rather than something like lua.
Each HTML file, after declaring it as an html file, starts with <HTML> and </HTML>. To end a tag, you must close it by adding a forward slash before writing its name (unless it is <br> or <hr>, or similar).
The <head> tag lets you add a title (silly little tab name), a favicon (silly little icon next to the name of the tab) and ways to link your CSS to the HTML.
An HTML file will look like this <!DOCTYPE html>
<html>
<head>
</head>
<body>
</body>
</html>
In the body, you can write the rest of your page, using headers (<h>/<h1-6>), paragraphs (<p>), and even forms (<form>).
--
CSS, also known as Cascading Style Sheets, is a type of coding language that is often used to create websites. No, it is not C++.
Rather than <>, CSS uses brackets {} to code.
CSS is used to style html websites, so it addresses html tags and lets you style their appearance. There is something known as inline CSS, where you can use the <style> tag to style something in your HTML file. HTML was never meant to have colors in its code, but you can change the color of text with inline css. Let's say you would like to style a header.
In your HTML file, it would say:
<!DOCTYPE html>
<html>
<head>
<link rel="stylesheet" href="(name of .css file goes here)">
</head>
<body>
<h1> My first header!!! :> </h1>
</body>
</html>
Now that we have our header, let's turn it red.
In your CSS file, it should say...
h1 {
color: red;
}
The H1 addresses that it will select all h1 elements. The code in the brackets shows that all those addressed will be the color red.
CSS has no starting or finishing lines, all elements will by stylized with {}.
--
To create an HTML file, you must end it with .HTML
To create a CSS file, you must end it with .css
Sometimes, when I create a link for the Css, the required name for the file will be in the HTML code already. Make sure that both files are in the same folder, and not one in a different folder within the same parent folder. This will not work.
--
Wanna test this out? Make a new notepad file on Windows, title it as "firsthtml.html", and create another file called "firstcss.css".
Place this in the .HTML file: <!DOCTYPE html>
<html>
<head>
<title> First HTML </title> <link rel="icon" type="image/x-icon" href="https://i.pinimg.com/736x/1a/8d/9d/1a8d9d26cdca15285d217c817f6953ec.jpg">
<link rel="stylesheet" href="firstcss.css">
</head>
<body> <h1>Welcome, traveler!!</h1>
<h3><I>Thank you for reading the tutorial!! Follow the blog to keep up with our news.</I><h3>
</body>
</html>
Now, for your .css file, write this down:
h1 {
color: dark blue;
}
h3 {
color: orange;
}
--
Thank you so much for following this tutorial. I mainly learned about this from w3schools and in my school course. Happy coding!!! :>
-ava
3 notes · View notes
promptlyspeedyandroid · 16 days ago
Text
Top HTML Interview Questions and Answers for Freshers and Experts
Tumblr media
HTML (HyperText Markup Language) is the fundamental building block of web development. Whether you’re a fresher stepping into the tech world or an experienced developer looking to refresh your basics, mastering HTML is essential. It is often the first topic covered in web development interviews, making preparation in this area crucial for any frontend or full-stack role.
This blog on Top HTML Interview Questions and Answers for Freshers and Experts is designed to help candidates at all levels confidently prepare for job interviews. From simple questions about tags and attributes to complex concepts like semantic HTML, accessibility, and new features in HTML5, this guide will walk you through the most frequently asked and impactful questions that hiring managers love to ask.
Why Learn HTML for Interviews?
HTML is not just a markup language. It is the foundation of every webpage. Even modern frameworks like React, Angular, or Vue render HTML at the core. Interviewers want to see if you understand how web pages are structured, how elements behave, and how HTML works in harmony with CSS and JavaScript.
Whether you're applying for a position as a front-end developer, UI/UX designer, WordPress developer, or full-stack engineer, HTML questions are almost always a part of the technical screening process.
HTML Interview Questions for Freshers
1. What is HTML?
Answer: HTML stands for HyperText Markup Language. It is used to create the structure of web pages using elements like headings, paragraphs, images, links, and more.
2. What is the difference between HTML and HTML5?
Answer: HTML5 is the latest version of HTML. It includes new semantic elements (<header>, <footer>, <article>), multimedia support (<audio>, <video>), and improved APIs like canvas, local storage, and geolocation.
3. What is a tag in HTML?
Answer: A tag is a keyword enclosed in angle brackets that defines the beginning and end of an HTML element (e.g., <p>Paragraph</p>).
4. What is the purpose of the <DOCTYPE html> declaration?
Answer: It defines the HTML version and helps the browser render the page correctly. For HTML5, it is written as <!DOCTYPE html>.
5. What is the difference between <div> and <span>?
Answer: <div> is a block-level element used for grouping sections, while <span> is an inline element used for styling a part of text or inline elements.
Intermediate to Advanced HTML Interview Questions
6. What is semantic HTML?
Answer: Semantic HTML uses meaningful tags (like <article>, <section>, <nav>) to describe the content, making it more readable for developers and accessible for screen readers and search engines.
7. What are void (self-closing) elements in HTML?
Answer: Void elements do not have a closing tag. Examples include <img>, <input>, <br>, and <hr>.
8. How is HTML different from XML?
Answer: HTML is designed for web page layout, while XML is used for storing and transporting data. HTML is more lenient with errors, whereas XML is strict and case-sensitive.
9. What is the difference between id and class attributes?
Answer: An id is unique for a single element, while a class can be applied to multiple elements. IDs are used for single-item styling or DOM targeting, whereas classes help in grouping and styling multiple elements.
10. What is the use of the alt attribute in images?
Answer: The alt attribute provides alternative text for images when they cannot be displayed. It also helps screen readers understand the image content, enhancing accessibility.
HTML5-Specific Interview Questions
11. Explain the difference between <section> and <article>.
Answer: <section> defines a thematic grouping of content, while <article> represents independent, self-contained content like blog posts or news articles.
12. What is the purpose of the <canvas> element?
Answer: The <canvas> element in HTML5 allows drawing graphics, animations, and visualizations using JavaScript.
13. How does local storage work in HTML5?
Answer: HTML5 introduces localStorage, allowing you to store data in the browser with no expiration time. It helps in storing user preferences or app data even after the browser is closed.
Why Interviewers Ask HTML Questions
To evaluate your core web development knowledge
To assess your understanding of page structure and layout
To test your awareness of accessibility and SEO principles
To understand your readiness to work on real projects
Even if you're familiar with frameworks like React or Angular, understanding raw HTML ensures you're not dependent on abstractions.
Tips to Prepare for HTML Interviews
Practice writing HTML code regularly.
Read documentation on HTML5 and its newer features.
Understand semantic elements and SEO best practices.
Use online editors like CodePen, JSFiddle, or Visual Studio Code for hands-on experience.
Explore real-world examples like building forms, creating layouts, and embedding media.
Who Should Read This Blog?
This blog is ideal for:
Freshers preparing for entry-level front-end interviews
Self-taught developers polishing their HTML fundamentals
Web designers shifting to development roles
Professionals brushing up on HTML for technical assessments
Conclusion
Preparing for HTML interviews doesn’t just help you answer questions—it helps you build a stronger foundation for web development. Whether you are just starting or have years of experience, reviewing these Top HTML Interview Questions and Answers for Freshers and Experts will give you the confidence to tackle interviews effectively.
0 notes
simpatel · 3 months ago
Text
Web Scraping CareerBuilder Reviews Data for Insights
Web Scraping CareerBuilder Reviews Data for Insights
Tumblr media
Introduction
In the digital age, job boards are more than just platforms to apply for work—they're ecosystems of user-generated content, especially in the form of company reviews. Among the most recognized job sites is CareerBuilder, a platform with thousands of reviews by job seekers and employees. For HR tech firms, market analysts, and competitive intelligence teams, these reviews represent a treasure trove of insights. But how can you harness this at scale?
The answer lies in Web Scraping CareerBuilder Reviews Data.
This guide is a deep-dive into the CareerBuilder Reviews Data Scraping process—covering the what, why, and how of extracting review data to make smarter business, hiring, and research decisions. We'll walk you through the tools and techniques to Scrape CareerBuilder Reviews Data, build your own CareerBuilder Reviews Data Extractor, and deploy a powerful CareerBuilder Reviews Scraper to stay ahead of market dynamics.
Why Scrape CareerBuilder Reviews Data?
Tumblr media
CareerBuilder features reviews on companies from employees and candidates. These reviews typically include feedback on work culture, compensation, management, growth opportunities, and interview experiences.
Here’s why extracting this data is vital:
1. Employee Sentiment Analysis
Discover how employees feel about companies, departments, or locations. Sentiment trends help you understand real-time workforce satisfaction.
2. Employer Branding Benchmarking
Compare company reputations side-by-side. This is key for companies improving their online image.
3. Candidate Experience Feedback
Find what candidates say about interview processes, hiring practices, and recruiter behavior.
4. HR Strategy Development
HR departments can use insights to revamp workplace policies, adjust compensation, and improve employee engagement.
5. Competitive Intelligence
Analyze reviews of competitors to understand where they excel—or fall short—in employee satisfaction.
What Information Can You Extract?
Tumblr media
A comprehensive CareerBuilder Reviews Data Extractor can pull the following elements:
Star ratings (overall, culture, management, etc.)
Review title and content
Date of review
Company name
Location
Reviewer's job title or department
Length of employment
Pros and Cons sections
Advice to management (if available)
Job seeker or employee tag
This structured data gives an all-around view of the employer landscape across industries and geographies.
Tools to Scrape CareerBuilder Reviews Data
Tumblr media
To create a scalable CareerBuilder Reviews Scraper, here’s a reliable tech stack:
Python Libraries:
Requests – for HTTP requests
BeautifulSoup – for HTML parsing
Selenium – for dynamic content and rendering JavaScript
Scrapy – for scalable crawling
Data Handling & Analysis:
pandas, NumPy – data wrangling
TextBlob, NLTK, spaCy – sentiment analysis
matplotlib, seaborn, Plotly – for visualization
Storage:
CSV, JSON – quick exports
PostgreSQL, MongoDB – structured storage
Elasticsearch – for full-text search indexing
Sample Python Script to Scrape CareerBuilder Reviews
Here’s a simplified script using BeautifulSoup:
import requests
from bs4 import BeautifulSoup
url = 'https://www.careerbuilder.com/company/...views';
headers = {
'User-Agent': 'Mozilla/5.0
'}
response = requests.get(url, headers=headers)
soup = BeautifulSoup(response.content, 'html.parser')
reviews = soup.find_all('div', class_='review-card')
for review in reviews:
rating = review.find('div', class_='stars').text title = review.find('h3').text
body = review.find('p', class_='review-content').text
print(f'Title: {title}, Rating: {rating}, Review: {body}')
Disclaimer: Actual class names and review structures may differ. You may need to adapt this code for dynamic pages using Selenium.
Real-World Applications of Review Data Scraping
Tumblr media
Let’s explore some practical use cases of CareerBuilder Reviews Data Scraping:
For Employers:
Compare your brand reputation to competitors
Monitor changes in employee satisfaction post-policy updates
Identify office locations with poor feedback
For HR SaaS Companies:
Enrich product dashboards with scraped review insights
Train machine learning models on employee sentiment data
For Market Researchers:
Study employee satisfaction trends across industries
Track labor issues, such as mass layoffs or toxic work culture indicators
For Job Portals:
Provide aggregated ratings to users
Personalize job suggestions based on culture-fit reviews
Ethical & Legal Guidelines for Scraping
Tumblr media
While Scraping CareerBuilder Reviews Data offers great value, you must follow best practices:
Respect robots.txt directives
Avoid personal or sensitive data
Include crawl delays and request throttling
Refrain from scraping at disruptive frequencies
Use proxies/IP rotation to avoid blocking
Also, check CareerBuilder’s Terms of Use to ensure compliance.
Building Your CareerBuilder Reviews Scraper Pipeline
Tumblr media
Here’s a production-grade pipeline for CareerBuilder Reviews Data Scraping:
1. URL Discovery
Identify companies or categories you want to scrape. Use sitemaps or search patterns.
2. Page Crawling
Scrape multiple pages of reviews using pagination logic.
3. Data Extraction
Pull fields like rating, content, date, title, pros, and cons using HTML selectors.
4. Storage
Use databases or export to JSON/CSV for quick access.
5. Analysis Layer
Add a sentiment analyzer, keyword extractor, and visual dashboards.
6. Scheduling
Automate scraping at regular intervals using cron jobs or Airflow.
How to Analyze Scraped CareerBuilder Review Data?
Tumblr media
Once you’ve scraped data, here are some advanced analytical strategies:
1. Sentiment Classification
Use models like VADER or BERT to classify sentiment into:
Positive
Neutral
Negative
2. Time-Series Analysis
Track how ratings evolve monthly or quarterly—especially during key events like CEO changes or layoffs.
3. Topic Modeling
Use NLP techniques like LDA to surface common themes (e.g., “work-life balance”, “micromanagement”, “career growth”).
4. Word Clouds
Visualize the most frequently used words across thousands of reviews.
5. Company Comparisons
Benchmark companies across industries by average rating, sentiment, and keyword frequency.
Using Machine Learning on CareerBuilder Review Data
Once you’ve scraped thousands of reviews, you can apply ML to:
Predict employee churn risk based on review patterns
Categorize reviews automatically
Identify toxic management patterns
Personalize job recommendations based on review preferences
Insightful Metrics You Can Derive
Here’s what you can uncover with a solid CareerBuilder Reviews Scraper:MetricDescriptionAverage Company RatingTrack overall satisfactionSentiment Score % Positive vs.Negative reviewsTop Complaints"Most frequent "Cons"Top PraisesMost frequent "Pros"Review Volume by LocationPopularity by regionCEO Approval TrendsBased on keywords and sentimentIndustry BenchmarkingCompare firms within same field
Sample Dashboards for Review Analysis
Tumblr media
You can visualize the data through dashboards built with tools like:
Tableau
Power BI
Looker
Plotly Dash
Streamlit
Example KPIs to showcase:
Average review score by location
Negative review spike alerts
Pie chart of top "Pros" and "Cons"
Line chart of review sentiment over time
Automating and Scaling the Process
Tumblr media
To scale your CareerBuilder Reviews Scraper, use:
Scrapy + Splash: For JS-rendered pages
Rotating Proxies + User Agents: To avoid detection
Airflow: For scheduling and workflow management
Docker: For containerizing your scraper
Cloud (AWS, GCP): For deployment and scalability
Example Findings from Scraping 50,000 Reviews
Tumblr media
If you scraped 50K reviews across 1,000 companies, you might find:
68% mention work-life balance as a top concern
Only 40% express satisfaction with upper management
Healthcare and tech have highest approval ratings
Locations in California show lower satisfaction vs. Texas
Top complaint keywords: “no growth”, “toxic environment”, “low pay”
Why Choose Datazivot?
Tumblr media
At Datazivot, we deliver precise and reliable Web Scraping Job Posting Reviews Data to help you uncover genuine insights from job seekers and employees. Our expert CareerBuilder reviews data scraping services enable you to scrape CareerBuilder reviews data efficiently for market analysis, HR strategy, and reputation management. With our advanced CareerBuilder reviews data extractor, you get structured and scalable data tailored to your needs. Trust our robust CareerBuilder reviews scraper to capture real-time feedback and sentiment from CareerBuilder users. Choose Datazivot for accurate, secure, and high-performance review data solutions that give your organization a competitive advantage.
Conclusion
As the HR landscape becomes more data-driven, Web Scraping CareerBuilder Reviews Data is no longer optional—it’s essential. With the right tools and compliance measures, you can unlock invaluable insights hidden in thousands of employee and candidate reviews.
From improving workplace culture to optimizing recruitment strategies, CareerBuilder Reviews Data Scraping enables better decisions across industries. If you're ready to Scrape CareerBuilder Reviews Data, build a CareerBuilder Reviews Data Extractor, or deploy a CareerBuilder Reviews Scraper, now’s the time to act. Ready to harness the power of reviews?
Partner with Datazivot today and turn CareerBuilder feedback into actionable insights!
Originally published by https://www.datazivot.com/careerbuilder-reviews-data-scraping-insights.php
0 notes
naomitheecoder · 2 years ago
Text
Day 1 of Coding
Trying to teach myself to code so I can make cool websites and hopefully apps one day. I am trying to stay consistent. It's something I definitely struggle with but I know I got this.
So today I...
Watched some of 'Learn HTML in 1 hour' from Bro Code on YouTube.
What I learned:
Html is the backbone, the skeleton of the website
Structure
Tumblr media
-tags:
Headers: <h1><h1/> all the way to <h6><h6/>
Paragraph: <p><p/>
Line break: <br>
Horizontal line: <hr>
I learned how to use hyperlinks by using:
<a href="https://www.google.com" target=_blank title="This takes you to Google>
Google
<a/>
Target is where the page opens. With blank it opens in a new tab. With self it opens in the same window.
The title contains info related to the element it belongs to. Can tell user information about the tool.
How do I feel:
I feel like I have a long way to go before I will be able to make anything satisfying, but that is okay. I have to appreciate the journey. Here's to day 1 and staying consistent!
1 note · View note
wordsofwilderness · 4 months ago
Text
So far the only thing I've used the course I took in System Design and User Interface is to know how to format my fics to be screen reader friendly. So yeah! If you put a bunch of fancy symbols, text to speach is going to read the full name to them one by one. So use the <hr> html tag instead (hr as in horizontal line)
Another tip is knowing the difference between <em> (as in emphasis) and <i> (as in italic). Visually they appear the same, but screen reader treat them differently. So for example if a character is stressing a particular word in dialogue you'd use the <em> tag:
"I don't <em>want</em> to"
Where as if it's a place name, foreign language word, title or similar, you'd use the <i> tag like so:
<i>Bohemian Rhapsody</i> was playing on the radio
A small request from a very dyslexic person to fanfic writers. Would you be so kind to use the ao3 scene break deviders or just the age old *** because some of y'alls scene divider techniques make my ears bleed when using tts.
14 notes · View notes
krishna337 · 3 years ago
Text
HTML hr Tag
The HTML <hr> tag is used to define a horizontal line or rule to separate content in an HTML page. The <hr> tag is an empty tag and this tag does not require an ending tag. Syntax <hr> Example <!doctype html> <html> <head> <title>HTML Hr Tag</title> </head> <body> <h1>What Is HTML?</h1> <p>HTML stands for Hyper Text Markup Language, which is the most popular language on web and the language is…
Tumblr media
View On WordPress
0 notes
greyias · 6 years ago
Text
I have come to a few conclusions after spending nearly the last three hours trying to use Tumblr’s mass post editor to add unique tags to all my fic posts so I can maybe start to tag things a little easier (both for myself and other users):
I have way too many posts
This blue hellsite seems intentionally designed to make the user experience as utterly frustrating as possible no matter what you’re doing
I wish I had started using unique tags way back when, but in my hubris thought that would never be necessary (and didn’t understand their purpose on top of that)
I will never not be bitter that they took away my <hr> tag for reasons that were never documented or explained. 
I’ll just... start the new decade by tagging things better from here on out.
*sobbing at my lost time*
16 notes · View notes
webtutorsblog · 2 years ago
Text
Learn HTML Tags with WebTutor.dev: Your Ultimate Resource for Web Development Tutorials
HTML (Hypertext Markup Language) is the backbone of the web. It is the standard markup language used to create web pages. HTML consists of a series of tags that define the structure and content of a web page. In this blog post, we will dive deeper into HTML tags, what they are, and how they work.
Tumblr media
HTML tags are the building blocks of a web page. They are used to define the structure and content of a web page. HTML tags are surrounded by angle brackets (<>) and are written in lowercase. There are two types of HTML tags: opening tags and closing tags. An opening tag is used to start a tag, and a closing tag is used to end it. For example, the opening tag for a paragraph is <p>, and the closing tag is </p>.
HTML tags can also have attributes, which provide additional information about the tag. Attributes are included in the opening tag and are written as name-value pairs. For example, the <img> tag is used to embed an image on a web page. The src attribute is used to specify the URL of the image. The alt attribute is used to provide a description of the image for users who cannot see it.
HTML tags can be used to define headings, paragraphs, links, images, lists, tables, forms, and more. Here are some examples of commonly used HTML tags:
<html>: Defines the document as an HTML document
<head>: Defines the head section of the document, which contains metadata such as the page title and links to external files
<title>: Defines the title of the document, which appears in the browser's title bar
<body>: Defines the body section of the document, which contains the content of the page
<h1> to <h6>: Defines HTML headings of different sizes, with <h1> being the largest and <h6> being the smallest
<p>: Defines a paragraph
<a>: Defines a hyperlink to another web page or a specific location on the same page
<img>: Defines an image to be displayed on the page
<ul> and <ol>: Defines unordered and ordered lists, respectively
<table>: Defines a table
<form>: Defines a form for user input
<br>: Inserts a line break
<hr>: Inserts a horizontal rule
<strong>: Defines text as important or emphasized
<em>: Defines text as emphasized
<blockquote>: Defines a block of quoted text
<cite>: Defines the title of a work, such as a book or movie
<code>: Defines a piece of code
<pre>: Defines preformatted text, which preserves spaces and line breaks
<sup> and <sub>: Defines superscript and subscript text, respectively
<div>: Defines a section of the page for grouping content
<span>: Defines a small section of text within a larger block of text for styling purposes
Learning HTML can seem daunting, but with the right resources, it can be easy and enjoyable. One such resource is WebTutor.dev, an online platform that provides tutorials on web development, including HTML. The tutorials are easy to follow and provide a hands-on learning experience. The platform also offers quizzes to test your knowledge and a community forum to connect with other learners and ask questions.
In conclusion, HTML tags are the building blocks of a web page. They define the structure and content of a web page and can be used to create headings, paragraphs, links, images, lists, tables, forms, and more. If you are interested in learning HTML, check out WebTutor.dev for easy-to-follow tutorials and a supportive community of learners.
2 notes · View notes
homoeroticjunoincident · 1 year ago
Text
fun fact about me i feel vaguely superior to ao3 people that did not learn html beforehand bc i don't have to google how to embed an image. and i am willing to help ppl with coding but don't know Extreme Amounts. also i use em and hr tags in google docs so i don't have to go and edit them in
might just post this as a chapter ngl
14 notes · View notes
munchlax-musings · 3 years ago
Text
What is HTML? - steno vocab list
im practicing using hard copy today, and the webpage i just completed is:
i only know as much HTML and CSS as needed to customize a Neopets webpage at this point.
my goal for taking this course is to be able to redesign my Tumblr blog. the color scheme isnt where i want it to be. not high enough contrast for ppl who rly need the high contrast, and it definitely makes it awful for basically anyone, tbh. not good or accessible.
anyway, by practicing to this webpage, i think im rly hitting two balls with one bat here. or maybe im not actually taking in any of the info at all lol idk
this wont be an exhaustive list of all terms on the page (that would literally be most of the words lol). this is just what i needed to note while writing
Click read more to see my list!
Tags:
here is my workaround for writing the tags:
TKPWA* -> {^ ^}{#shift(comma)}
TKPW*E -> {#shift(period)}{^^}
TKPWA*T -> {#shift(comma)}{^^}
TKPW*ET -> {#shift(period)}
these, combined, can produce:
space <tag>word<tag> space
Additionally:
STKPWA*T -> {^^}{#shift(comma)}{&/}{^^}
STKPW*ET -> {#shift(period)}
can produce:
word</tag> space
Also:
STKPWA*ET -> {#shift(period)}{^^}
can produce:
tag>WordNoSpace
and
tag><NoSpace tag></NoSpace
when combined with TKPWA*T and STKPWA*T
These have been added to my Google doc called legal transcription commands, captioning commands, and punctuation.
Words in my dictionary, but i didn't know/didn't remember how to write:
Words/Briefs:
KRAET -> create
PRAUSZ -> process
PRAUSZ/-R -> processor
WRAZ -> whereas
TKEUFRPBS -> difference
KPAOURTS -> computers
TPH/TWEUGZ -> intuition
PH-LD -> immediately
STRUR -> structure
AEUFPL -> HTML
KPAEL -> exactly
HEU/P-R -> hyper
PHARBG/-P -> markup
WRAPG -> wrapping
KPAPL -> exam
KP-FPL -> example
APBG/-R -> anchor
TKRAESZ -> address
KPEPGZ -> exception
TKPWRAFPGZ -> congratulation
REFR -> refer
REFRD -> referred
TKEBG/HR-RGZ -> declaration
SPOEUF/-G -> specifying
SEBGD -> second
PRAURP -> proper
PRAURPT -> property
PRAURPTS -> properties
KPHOPB -> common
KPHOPBL -> commonly
TPH-FRPL -> inform
TPH-FRGZ -> information
Phrases:
STHAULD -> is that you would
THAULD -> that you would
PHOERPB -> more than
T/PHUB -> it must be
PHUB -> must be
TELT -> tell the
TH-S -> this is
SUFPS -> such as
TAO*GT -> to get
UPBD/-G/-F -> understanding of
HOUT -> how the
WUFT -> one of the
STHAEUR -> is their
TPHOERDZ -> in other words
PW-T -> about the
TPHORD -> in order
Words I had to define myself:
Words/Briefs:
TKAUPLT -> document
PHAOEUBG/SAUFT -> Microsoft
PHAOEUBG/SAUFT/WORD -> Microsoft Word
TKPWAOG/-L/TK*OBG -> Google Doc
TKPWAOG/-L/TKOBG -> Google doc
ET/SET/RU/R-R -> etc.
TK-FRPBS -> difference
PAEUR/TKPWR-F -> paragraph
STKR-PT/-R -> descriptor
STKREUPT/-R -> descriptor
TKE/SKREUPT/-R -> descriptor
KWREPL -> email
KWR*EPL -> e-mail
Phrases:
WRAPB -> where an
W-PB -> within
PHO*EFT -> most of the
These have been added to my trello card for this course.
2 notes · View notes
hinditutorialspoint · 6 years ago
Text
HTML in Hindi - Paragraph tag
HTML in Hindi – Paragraph tag
Paragraph tag in HTML in Hindi
Space inside HTML Paragraph in Hindi
How to use <br> and <hr> tag with paragraph in Hindi?
Paragraph tag in HTML in Hindi
HTML पैराग्राफ या HTML p टैग का उपयोग किसी वेबपेज में paragraph को परिभाषित करने के लिए किया जाता है। आइए एक सरल उदाहरण लें कि यह कैसे काम करता है। यह एक notable point है कि एक ब्राउज़र स्वयं एक पैराग्राफ से पहले और बाद में एक खाली लाइन जोड़…
View On WordPress
0 notes
promptlyspeedyandroid · 27 days ago
Text
HTML Interview Questions: Crack Your Web Developer Interview
Tumblr media
HTML (HyperText Markup Language) is the foundation of every website you see on the internet. Whether you're a fresher stepping into the tech world or an experienced developer preparing for a job switch, mastering HTML interview questions is crucial for clearing any web developer interview.
In this guide, we’ll explore the most commonly asked HTML interview questions, along with clear explanations and examples. These questions are ideal for both beginners and intermediate developers aiming to showcase their front-end knowledge.
Why HTML is Important in Web Development Interviews
HTML is the standard markup language used to create the structure of web pages. It forms the base upon which CSS and JavaScript work. Employers test HTML skills in interviews to evaluate a candidate’s understanding of webpage structure, semantic elements, accessibility, and proper coding practices.
Basic HTML Interview Questions and Answers
1. What is HTML?
Answer: HTML stands for HyperText Markup Language. It is used to structure content on the web using elements like headings, paragraphs, links, lists, and images.
2. What are HTML tags and elements?
Answer: HTML tags are the building blocks used to create HTML elements. Tags are enclosed in angle brackets, like <p> for paragraphs. An element includes the start tag, content, and end tag, e.g., <p>This is a paragraph</p>.
3. What is the difference between HTML and HTML5?
Answer:
HTML5 is the latest version of HTML.
HTML5 supports semantic elements like <article>, <section>, and <nav>.
It introduces multimedia tags like <audio> and <video>.
HTML5 supports APIs for geolocation, local storage, and canvas graphics.
4. What is a semantic HTML element?
Answer: Semantic HTML elements clearly describe their meaning to both the browser and developer. Examples include <header>, <footer>, <article>, and <aside>. These improve SEO and accessibility.
5. What is the difference between <div> and <span>?
Answer:
<div> is a block-level element used for grouping content.
<span> is an inline element used for styling small pieces of text or elements.
Intermediate HTML Interview Questions
6. How do you create a hyperlink in HTML?
Answer: Use the <a> tag with the href attribute. Example: <a href="https://example.com">Visit Example</a>
7. How can you insert an image in HTML?
Answer: Use the <img> tag with the src and alt attributes. Example: <img src="image.jpg" alt="Description of image">
8. What is the purpose of the alt attribute in images?
Answer: The alt attribute provides alternative text if the image can't load and improves accessibility for screen readers.
9. What is the use of the <meta> tag?
Answer: <meta> provides metadata about the HTML document such as character encoding, page description, keywords, and author. It is placed inside the <head> tag.
10. What are void (self-closing) elements in HTML?
Answer: Void elements do not require a closing tag. Examples include <img>, <br>, <hr>, <input>, and <meta>.
Advanced HTML Interview Questions
11. What is the difference between id and class attributes in HTML?
Answer:
id is unique and used to target one specific element.
class can be used on multiple elements for grouping and styling.
12. How do you create a form in HTML?
Answer:<form action="/submit" method="post"> <input type="text" name="username"> <input type="password" name="password"> <input type="submit" value="Login"> </form>
This creates a form that takes input and submits data to a server.
13. What are some new input types in HTML5?
Answer: HTML5 introduced new input types such as:
email
date
time
number
range
color These enhance validation and user experience.
14. What is the use of <iframe> in HTML?
Answer: <iframe> is used to embed another HTML page or external content (like YouTube videos) within a current webpage.
Example:<iframe src="https://example.com" width="600" height="400"></iframe>
15. How does HTML handle accessibility?
Answer: HTML supports accessibility through:
Semantic tags
alt attributes for images
ARIA (Accessible Rich Internet Applications) roles
Proper use of forms and labels
These features make content more usable for screen readers and assistive technologies.
Bonus Tips to Crack HTML Interviews
Practice Real Code: Use platforms like CodePen or JSFiddle to experiment with HTML structures.
Understand Semantic HTML: Many companies focus on code that is SEO- and accessibility-friendly.
Be Clear with Fundamentals: Interviewers often focus on basic but important questions.
Combine with CSS & JavaScript: Know how HTML works in combination with styling and scripting.
Ask Clarifying Questions: If you're given a coding task, ask questions before you begin coding.
Final Thoughts
Cracking a web developer interview starts with having a strong grip on the basics, and HTML is at the core of front-end development. This guide — “HTML Interview Questions: Crack Your Web Developer Interview” — has walked you through a range of frequently asked questions from beginner to advanced levels.
By preparing these questions and practicing real-world HTML code, you’ll be well-equipped to confidently answer your interviewer and demonstrate your understanding of webpage structure, elements, and best practices.
So, keep coding, stay curious, and crack that web developer interview!
0 notes
isomorphismes · 4 years ago
Quote
There are no theorems in category theory.
Emily Riehl, Category Theory In Context
Mathematicians often tell her this; hence the book.
If I had to summarise her views in one sentence, it would be:
Everything is an adjunction.
I also like the division these mathematicians are making to her: essentially, a theorem is anything that solves Feynman’s challenge: by a series of clear, unsurprising steps, one arrives at an unexpected conclusion.
Examples for me include:
17 possible tessellations
6 ways to foliate a surface
27 lines on a cubic
1, 1, 1, 1, 1, 1, 28, 2, 8, 6, 992, 1, 3, 2, 16256, 2, 16, 16, 523264, 24, 8, 4 ways to link any-dimensional spheres.
the existence of sporadic groups
surprising rep-theory consequences of Young diagrams, Ferrers sequences, and so on (you could say the strangeness of integer partitions is really to blame here…)
59 icosahedra
8 geometric layouts
Books which are bristling with mathematical ideas of this kind include Montesinos on tessellations, Geometry and the Imagination (the original one), and Coxeter’s book on polyhedra (start with Baez on A-D-E if you want to follow my path). Moonshine and anything by Thurston or his students, I’ve found similarly flush with shockng content—quite different to what I thought mathematics would be like. (I had pictured something more like a formal logic book: row by row of symbols. But instead, the deeper I got into mathematics, the fewer the symbols and the more the surnames thanking the person who came up with some good idea.)
Note that a theorem is different here to some geometry — as in The Geometry of Schemes. The word geometry used in that sense, I feel, is to have a comprehensive enough vision of a subject to say how it “looks” — but the word theorem means the result is surprising or unintuitive.
This definition of a theorem, to me, presents a useful challenge to annoying pop-psychology that today lurks under the headings of Bayesianism, cognitive _______, behavioural econ/finance, and so on.
Following Buliga and Thurston to understand the nature of mathematical progress, within mathematics at least (where it’s clearer than elsewhere whether you understand something or not—compare to economic theory for example), there is a clear delination of what’s obvious and what’s not.
What is definitely not the case in mathematics, is that every logical or computable consequence of a set of definitions is computed and known immediately when the definitions are stated! You can look at a (particularly a good) mathematical exposition as walking you through the steps of which shifts in perspective you need to take to understand a conclusion. For example start with some group, then consider it as a topological object with a cohomology to get the centraliser. Or in Fourier analysis: re-present line-elements on a series of widening circles. Use hyperbolic geometry to learn about integers. Use stable commutator length (geometry) to learn about groups. Or read about Teichmüller stuff and mapping class groups because it’s the confluence of three rivers.
Sometimes mathematical explanations require fortitude (Gromov’s "energy") and sometimes a shift in perspective (Gromov’s (neg)"entropy").
This view of theorems should be contrasted to the disease of generalisation in mathematical culture. Citing two real-life grad students and a tenured professor in logic (one philosophical, one mathematical, the professor in computer science):
I like your distinction between hemi-toposes, demi-toposes, and semi-toposes
I care about hyper-reals, sur-reals, para-consistency, and so on
Abstract thought — like mathematicians do — is the best kind of thought.
(twitter.com/replicakill, the author of twitter.com/logicians, ragged on David Lewis by saying “What do mathematicians like?” “What do mathematicians think?” —— And Corey Mohler has done a wonderful job of mocking Platonism, which is how I guess the thirst for over-generalisation reaches non-mathematicians.)
Paul Halmos knew that cool examples beat generalisations for generalisation’s sake, as did V. I. Arnol’d. And it seems that the people a Harvard mathematician spends her time with make reasonable demands of a mathematical idea as well. It shouldn’t just contain previous theories; it should surprise. In Buliga’s Blake/Reynolds dispute, Blake wins hands down.
70 notes · View notes
mostlysignssomeportents · 5 years ago
Text
20 years a blogger
Tumblr media
It's been twenty years, to the day, since I published my first blog-post.
I'm a blogger.
Blogging - publicly breaking down the things that seem significant, then synthesizing them in longer pieces - is the defining activity of my days.
https://boingboing.net/2001/01/13/hey-mark-made-me-a.html
Over the years, I've been lauded, threatened, sued (more than once). I've met many people who read my work and have made connections with many more whose work  I wrote about. Combing through my old posts every morning is a journey through my intellectual development.
It's been almost exactly a year I left Boing Boing, after 19 years. It wasn't planned, and it wasn't fun, but it was definitely time. I still own a chunk of the business and wish them well. But after 19 years, it was time for a change.
A few weeks after I quit Boing Boing, I started a solo project. It's called Pluralistic: it's a blog that is published simultaneously on Twitter, Mastodon, Tumblr, a newsletter and the web. It's got no tracking or ads. Here's the very first edition:
https://pluralistic.net/2020/02/19/pluralist-19-feb-2020/
I don't often do "process posts" but this merits it. Here's how I built Pluralistic and here's how it works today, after nearly a year.
I get up at 5AM and make coffee. Then I sit down on the sofa and open a huge tab-group, and scroll through my RSS feeds using Newsblur.
I spend the next 1-2 hours winnowing through all the stuff that seems important. I have a chronic pain problem and I really shouldn't sit on the sofa for more than 10 minutes, so I use a timer and get up every 10 minutes and do one minute of physio.
After a couple hours, I'm left with 3-4 tabs that I want to write articles about that day. When I started writing Pluralistic, I had a text file on my desktop with some blank HTML I'd tinkered with to generate a layout; now I have an XML file (more on that later).
First I go through these tabs and think up metadata tags I want to use for each; I type these into the template using my text-editor (gedit), like this:
   <xtags>
process, blogging, pluralistic, recursion, navel-gazing
   </xtags>
Each post has its own little template. It needs an anchor tag (for this post, that's "hfbd"), a title ("20 years a blogger") and a slug ("Reflections on a lifetime of reflecting"). I fill these in for each post.
Then I come up with a graphic for each post: I've got a giant folder of public domain clip-art, and I'm good at using all the search tools for open-licensed art: the Library of Congress, Wikimedia, Creative Commons, Flickr Commons, and, ofc, Google Image Search.
I am neither an artist nor a shooper, but I've been editing clip art since I created pixel-art versions of the Frankie Goes to Hollywood glyphs using Bannermaker for the Apple //c in 1985 and printed them out on enough fan-fold paper to form a border around my bedroom.
Tumblr media
As I create the graphics, I pre-compose Creative Commons attribution strings to go in the post; there's two versions, one for the blog/newsletter and one for Mastodon/Twitter/Tumblr. I compose these manually.
Here's a recent one:
Blog/Newsletter:
(<i>Image: <a href="https://commons.wikimedia.org/wiki/File:QAnon_in_red_shirt_(48555421111).jpg">Marc Nozell</a>, <a href="https://creativecommons.org/licenses/by/2.0/deed.en">CC BY</a>, modified</i>)
Twitter/Masto/Tumblr:
Image: Marc Nozell (modified)
https://commons.wikimedia.org/wiki/File:QAnon_in_red_shirt_(48555421111).jpg
CC BY
https://creativecommons.org/licenses/by/2.0/deed.en
This is purely manual work, but I've been composing these CC attribution strings since CC launched in 2003, and they're just muscle-memory now. Reflex.
These attribution strings, as well as anything else I'll need to go from Twitter to the web (for example, the names of people whose Twitter handles I use in posts, or images I drop in, go into the text file). Here's how the post looks at this point in the composition.
<hr>
<a name="hfbd"></a>
<img src="https://craphound.com/images/20yrs.jpg">
<h1>20 years a blogger</h1><xtagline>Reflections on a lifetime of reflecting.</xtagline>
<img src="https://craphound.com/images/frnklogo.jpg">
See that <img> tag in there for frnklogo.jpg? I snuck that in while I was composing this in Twitter. When I locate an image on the web I want to use in a post, I save it to a dir on my desktop that syncs every 60 seconds to the /images/ dir on my webserver.
As I save it, I copy the filename to my clipboard, flip over to gedit, and type in the <img> tag, pasting the filename. I've typed <img src="https://craphound.com/images/ CTRL-V"> tens of thousands of times - muscle memory.
Once the thread is complete, I copy each tweet back into gedit, tabbing back and forth, replacing Twitter handles and hashtags with non-Twitter versions, changing the ALL CAPS EMPHASIS to the extra-character-consuming *asterisk-bracketed emphasis*.
My composition is greatly aided both 20 years' worth of mnemonic slurry of semi-remembered posts and the ability to search memex.craphound.com (the site where I've mirrored all my Boing Boing posts) easily.
A huge, searchable database of decades of thoughts really simplifies the process of synthesis.
Next I port the posts to other media. I copy the headline and paste it into a new Tumblr compose tab, then import the image and tag the post "pluralistic."
Then I paste the text of the post into Tumblr and manually select, cut, and re-paste every URL in the post (because Tumblr's automatic URL-to-clickable-link tool's been broken for 10+ months).
Next I past the whole post into a Mastodon compose field. Working by trial and error, I cut it down to <500 characters, breaking at a para-break and putting the rest on my clipboard. I post, reply, and add the next item in the thread until it's all done.
*Then* I hit publish on my Twitter thread. Composing in Twitter is the most unforgiving medium I've ever worked in. You have to keep each stanza below 280 chars. You can't save a thread as a draft, so as you edit it, you have to pray your browser doesn't crash.
And once you hit publish, you can't edit it. Forever. So you want to publish Twitter threads LAST, because the process of mirroring them to Tumblr and Mastodon reveals typos and mistakes (but there's no way to save the thread while you work!).
Now I create a draft Wordpress post on pluralistic.net, and create a custom slug for the page (today's is "two-decades"). Saving the draft generates the URL for the page, which I add to the XML file.
Once all the day's posts are done, I make sure to credit all my sources in another part of that master XML file, and then I flip to the command line and run a bunch of python scripts that do MAGIC: formatting the master file as a newsletter, a blog post, and a master thread.
Those python scripts saved my ASS. For the first two months of Pluralistic, i did all the reformatting by hand. It was a lot of search-replace (I used a checklist) and I ALWAYS screwed it up and had to debug, sometimes taking hours.
Then, out of the blue, a reader - Loren Kohnfelder - wrote to me to point out bugs in the site's RSS. He offered to help with text automation and we embarked on a month of intensive back-and-forth as he wrote a custom suite for me.
Those programs take my XML file and spit out all the files I need to publish my site, newsletter and master thread (which I pin to my profile). They've saved me more time than I can say. I probably couldn't kept this up without Loren's generous help (thank you, Loren!).
I open up the output from the scripts in gedit. I paste the blog post into the Wordpress draft and copy-paste the metadata tags into WP's "tags" field. I preview the post, tweak as necessary, and publish.
(And now I write this, I realize I forgot to mention that while I'm doing the graphics, I also create a square header image that makes a grid-collage out of the day's post images, using the Gimp's "alignment" tool)
(because I'm composing this in Twitter, it would be a LOT of work to insert that information further up in the post, where it would make sense to have it - see what I mean about an unforgiving medium?)
(While I'm on the subject: putting the "add tweet to thread" and "publish the whole thread" buttons next to each other is a cruel joke that has caused me to repeatedly publish before I was done, and deleting a thread after you publish it is a nightmare)
Now I paste the newsletter file into a new mail message, address it to my Mailman server, and create a custom subject for the day, send it, open the Mailman admin interface in a browser, and approve the message.
Now it's time to create that anthology post you can see pinned to my Mastodon and Twitter accounts. Loren's script uses a template to produce all the tweets for the day, but it's not easy to get that pre-written thread into Twitter and Mastodon.
Part of the problem is that each day's Twitter master thread has a tweet with a link to the day's Mastodon master thread ("Are you trying to wean yourself off Big Tech? Follow these threads on the #fediverse at @[email protected]. Here's today's edition: LINK").
So the first order of business is to create the Mastodon thread, pin it, copy the link to it, and paste it into the template for the Twitter thread, then create and pin the Twitter thread.
Now it's time to get ready for tomorrow. I open up the master XML template file and overwrite my daily working file with its contents. I edit the file's header with tomorrow's date, trim away any "Upcoming appearances" that have gone by, etc.
Then I compose tomorrow's retrospective links. I open tabs for this day a year ago, 5 years ago, 10 years ago, 15 years ago, and (now) 20 years ago:
http://memex.craphound.com/2020/01/14
http://memex.craphound.com/2016/01/14
http://memex.craphound.com/2011/01/14
http://memex.craphound.com/2006/01/14
http://memex.craphound.com/2001/01/14
I go through each day, and open anything I want to republish in its own tab, then open the OP link in the next tab (finding it in the @internetarchive if necessary). Then I copy my original headline and the link to the article into tomorrow's XML file, like so:
#10yrsago Disney World’s awful Tiki Room catches fire <a href="https://thedisneyblog.com/2011/01/12/fire-reported-at-magic-kingdom-tiki-room/">https://thedisneyblog.com/2011/01/12/fire-reported-at-magic-kingdom-tiki-room/</a>
And NOW my day is done.
So, why do I do all this?
First and foremost, I do it for ME. The memex I've created by thinking about and then describing every interesting thing I've encountered is hugely important for how I understand the world. It's the raw material of every novel, article, story and speech I write.
And I do it for the causes I believe in. There's stuff in this world I want to change for the better. Explaining what I think is wrong, and how it can be improved, is the best way I know for nudging it in a direction I want to see it move.
The more people I reach, the more it moves.
When I left Boing Boing, I lost access to a freestanding way of communicating. Though I had popular Twitter and Tumblr accounts, they are at the mercy of giant companies with itchy banhammers and arbitrary moderation policies.
I'd long been a fan of the POSSE - Post Own Site, Share Everywhere - ethic, the idea that your work lives on platforms you control, but that it travels to meet your readers wherever they are.
Pluralistic posts start out as Twitter threads because that's the most constrained medium I work in, but their permalinks (each with multiple hidden messages in their slugs) are anchored to a server I control.
When my threads get popular, I make a point of appending the pluralistic.net permalink to them.
When I started blogging, 20 years ago, blogger.com had few amenities. None of the familiar utilities of today's media came with the package.
Back then, I'd manually create my headlines with <h2> tags. I'd manually create discussion links for each post on Quicktopic. I'd manually paste each post into a Yahoo Groups email. All the guff I do today to publish Pluralistic is, in some way, nothing new.
20 years in, blogging is still a curious mix of both technical, literary and graphic bodgery, with each day's work demanding the kind of technical minutuae we were told would disappear with WYSIWYG desktop publishing.
I grew up in the back-rooms of print shops where my dad and his friends published radical newspapers, laying out editions with a razor-blade and rubber cement on a light table. Today, I spend hours slicing up ASCII with a cursor.
I go through my old posts every day. I know that much - most? - of them are not for the ages. But some of them are good. Some, I think, are great. They define who I am. They're my outboard brain.
37 notes · View notes
stoweboyd · 4 years ago
Text
Tumblr Futures and the Newsletter Revolution
Tumblr could be a platform for newsletter writers and other creators
Tumblr media
Photo by Patrick Fore on Unsplash
I've been using Tumblr fairly consistently for many years, here at stoweboyd.com and on other blogs, like workfutures.org. I think I moved to Tumblr sometime in 2007, importing materials I had managed previously on Typepad and Blogger. At any rate, I now have over 14,000 posts here, and (supposedly) 163,000+ followers.
I am dug in.
In recent years, with the rise of the newsletter revolution, I have tried many newsletter platforms, including Patreon, Medium, Revue, and Substack. At the present time I am publishing the Work Futures newsletter on Substack.
Substack is certainly the best of the various platforms I have tried. I want to like Medium, but they keep shifting their approach and plans, and have not been very fast at implementing various improvements they've discussed (such as importing subscriber lists). Substack simply works at what it aims to do. However, Substack lacks a feeling of community of the sort that Medium and Tumblr have.
I can envision a version of Tumblr that would include newsletter support: subscriber registration, subscription fees, emailing, stats, and so on. Much of this could build on the Tumblr follower model, extended to include subscribers.
I have no idea whether the Tumblr folks are intending anything of this sort. But why not?
Tumblr was acquired by Automattic -- the folks behind WordPress -- in August 2019, and has been letting Tumblr be Tumblr, aside from continuing the ban on adult content that Verizon imposed. There is work afoot to move Tumblr onto a WordPress backend, but no grand strategy has been disclosed about Tumblr and newsletters.
Automattic acquired Atavist in 2018, with the goal of integrating Atavist publishing model, including newsletters, into the company's existing LongReads product. LongReads is a reader-supported project to fund long format writing, and the feel is something like Medium: subscribers pay $5 per month to supporth the site.
In recent days, Facebook, Twitter, and LinkedIn have announced plans to get into newsletters, Twitter by acquisition of Revue. I am a heavy user of Twitter, and see that the Revue deal could work for them.
What I really want is a souped-up, newsletter-supporting Tumblr, where I can get the social media community of Tumblr with the addition of a newsletter community something like Substack, all in one package.
I hope they are working on it.
I forgot that I had written about this idea two years ago. See A New Direction For Tumblr:
For a few months, I have been advocating a major addition for Tumblr, something that might offer a new path for the more-or-less stagnant property: add the functionality to allow Tumblr 'creators’ to make money on the site. This would mean
Subscriptions for access to material behind a paywall (this would mean integration with Stripe or some other money platform)
Newsletter tools that integrate with Tumblr existing publishing workflow
Creation (or acquisition) or podcasting and video capabilities
Possible Medium-like publishing schemes so that creators can get paid for popular content.
Advertising opportunities based on tags?
I also happened upon this post by Richard MacManus from Sep 2019, How blogs, newsletters & Tumblr can fight back against social media - Cybercultural, in which he makes a similar argument:
In my view, there’s potential to build a significant new form of networking with blogs, Tumblr and email newsletters, this time built around cultural content.
The current wave of email newsletters proves there is demand for thoughtful media content, while Tumblr shows that this content can include more multimedia than we typically see in email newsletters. Naturally, multimedia is best viewed on the Web - not in inboxes. So I’m hoping Automattic can find a way to direct readers back to the Web, with the help of its latest acquisition.
21 notes · View notes