#StartWriting
Explore tagged Tumblr posts
Text
"I think" is a good title, I think.
I need to start writing again. Even if no one reads it and I think that it's trash.
It started at the doctor's office. After every answer the words "I think" followed shyly behind. Even the conversation being recorded by AI couldn't have helped the uncertainty I created for the doctor. She asked numerous questions, clarifying and straightening out my pesky answers that clung onto me for dear life. I noticed this and tried to get a leash on it. But when mentioning my birthday to the nurse, self doubt lurched out of me. "My birthday is that date.... I think" I mentally slapped myself, called my left arm my right arm when asking for my flu shot. Nurse said it's alright, stuck a bright pink bandaid on me and said see you next time. I walked to the end of the hall where I proceeded to pull a push only door.
At home, I don't know where the remote is but it's probably between the second and third cushion. And it is. Unless you're talking about the other one in that case it's in my hand where I left it but I swear I'm just guessing.
1 note
·
View note
Text
#WritingJobs#RemoteWriting#FreelanceWriting#ContentWriter#BeginnerWriters#OnlineJobs#HiringNow#FreelanceJobs#RemoteWork#OnlineWritingJobs#WritersWanted#StartWriting#WorkFromAnywhere#WritingCommunity#MakeMoneyWriting
0 notes
Text
youtube
#CreativeWriting#WritingForBeginners#StartWriting#PodcastForWriters#WritingJourney#NewWriters#WritingTips#Storytelling#Youtube
0 notes
Photo
INTRODUCING the **The Digital Authority Amplifier and Digital Sales Tool Kit**. These tools provide you with a plethora of expertly crafted prompts that leverage ChatGPT’s capabilities to produce content that is not only high-quality but also highly relevant and personalized to your target audience's needs and desires. #chatGPT #AI #ArtificialIntelligence #contentcreation #machinelearning #machine #contentwriting #writing #startwriting
#chatGPT#AI#ArtificialIntelligence#contentcreation#machinelearning#machine#contentwriting#writing#startwriting
0 notes
Text
i need to write this crossover piece the idea of sepherine and ver both talking about the insane violent stuff they get up to while the other nods and goes "that seems reasonable." and cholia just has to stand there and listen to these two crazy people
3 notes
·
View notes
Link
Chapters: 1/1 Fandom: Aquamarine (2006) Rating: Teen And Up Audiences Warnings: No Archive Warnings Apply Relationships: Claire Brown/Hailey Rogers Characters: Claire Brown (Aquamarine 2006), Hailey Rogers Additional Tags: No Beta, Not Proofread, Description Heavy, Compulsory Heterosexuality, Kinda, Character Study, also kinda - Freeform Summary:
“But she was moving. She was moving to goddamn Australia, and she would - probably - never see Claire ever again, and she would be weird and alone for the rest of her life.”
or - Hailey’s moving, and isn’t that swell.
#hii guysss#girls will be like ‘i think i want to startwriting longer things’ & then write a 500 word oneshot about a movie from 2006#aquamarine#aquamarine movie#aquamarine 2006#hailey rogers#claire brown#i didnt do everything i wanted to do with this which Might mean i write more for them. but also maybe not who knows#art tag
5 notes
·
View notes
Text
I was trying to do some Index writing speed improvement and thought of creating a asynchronous Lucene index writer. This writer provides a addDocument() method which can be called asynchronously by multiple threads. Here are the few scenario where you can utilize this implementation - Reading the data is slower then writing to the index. (Typical scenario where you read over network, or from database.) - Reading can be divided in multiple logical parts which can be processed in separate threads. - You are looking for asynchronous behavior to decouple reading and writing processes. This implementation is a wrapper which utilizes core methods of IndexWriter class, and does not do any change to it except making it asynchronous. It utilizes Java's java.util.concurrent.BlockingQueue for storing the documents. It can be supplied with any implementation of this class using its constructor. Below is the Java source of this implementation class This class provides multiple constructors to have better control. Few terms which are used here are as follows Sleep Milliseconds On Empty: This is the sleep duration when writer finds nothing in queue and wants to wait for some data to come in queue. () Queue Size: This is the size of the queue which can be configured as a constructor parameter input. AsynchronousIndexWriter.java package swiki.lucene.asynchronous; import java.io.IOException; import java.util.concurrent.ArrayBlockingQueue; import java.util.concurrent.BlockingQueue; import org.apache.lucene.document.Document; import org.apache.lucene.index.CorruptIndexException; import org.apache.lucene.index.IndexWriter; /** * @author swiki swiki * */ public class AsynchronousIndexWriter implements Runnable /* * A blocking queue of document to facilitate asynchronous writing. */ private BlockingQueue documents; /* * Instance of core index writer which does the actual writing task. */ private IndexWriter writer; /* * Thread which makes writing asynchronous */ private Thread writerThread; /* * We need to set this to false if the document addition is completed. This * will not immediately stop the writing as there could be some documents in * the queue. It completes once all documents are written and the queue is * empty. */ private boolean keepRunning = true; /* * This flag is set to false once writer is done with the queue data * writing. */ private boolean isRunning = true; /* * Duration in miliseconds for which the writer should sleep when it finds * the queue empty and job is still not completed */ private long sleepMilisecondOnEmpty = 100; /** * This method should be used to add documents to index queue. If the queue * is full it will wait for the queue to be available. * * @param doc * @throws InterruptedException */ public void addDocument(Document doc) throws InterruptedException documents.put(doc); public void startWriting() writerThread = new Thread(this, "AsynchronousIndexWriter"); writerThread.start(); /** * Constructor with indexwriter as input. It Uses ArrayBlockingQueue with * size 100 and sleepMilisecondOnEmpty is 100ms * * @param w */ public AsynchronousIndexWriter(IndexWriter w) this(w, 100, 100); /** * Constructor with indexwriter and queue size as input. It Uses * ArrayBlockingQueue with size queueSize and sleepMilisecondOnEmpty is * 100ms * * @param w * @param queueSize */ public AsynchronousIndexWriter(IndexWriter w, int queueSize) this(w, queueSize, 100); /** * Constructor with indexwriter, queueSize as input. It Uses * ArrayBlockingQueue with size queueSize * * @param w * @param queueSize * @param sleepMilisecondOnEmpty */ public AsynchronousIndexWriter(IndexWriter w, int queueSize, long sleepMilisecondOnEmpty) this(w, new ArrayBlockingQueue(queueSize), sleepMilisecondOnEmpty); /** * A implementation of BlockingQueue can be used * * @param w * @param queueSize * @param sleepMilisecondOnEmpty */ public AsynchronousIndexWriter(IndexWriter w, BlockingQueue queue,
long sleepMilisecondOnEmpty) writer = w; documents = queue; this.sleepMilisecondOnEmpty = sleepMilisecondOnEmpty; startWriting(); /* * (non-Javadoc) * * @see java.lang.Runnable#run() */ public void run() while (keepRunning /** * Stop the thread gracefully, wait until its done writing. */ private void stopWriting() this.keepRunning = false; try while (isRunning) //using the same sleep duration as writer uses Thread.sleep(sleepMilisecondOnEmpty); catch (InterruptedException e) e.printStackTrace(); public void optimize() throws CorruptIndexException, IOException writer.optimize(); public void close() throws CorruptIndexException, IOException stopWriting(); writer.close(); Below is a sample class which demonstrates how we can use this class. Here are few things to note, asynchronous thread is started as soon as you instantiate using new AsynchronousIndexWriter(...) TestAsyncWriter.java package swiki.lucene.asynchronous; import org.apache.lucene.analysis.standard.StandardAnalyzer; import org.apache.lucene.document.Document; import org.apache.lucene.document.Field; import org.apache.lucene.index.IndexWriter; import org.apache.lucene.store.Directory; import org.apache.lucene.store.FSDirectory; /** * @author swiki swiki * */ public class TestAsyncWriter public static void main(String[] args) try Directory fsdir = FSDirectory.getDirectory("index"); IndexWriter w = new IndexWriter(fsdir, new StandardAnalyzer(), true); AsynchronousIndexWriter writer = new AsynchronousIndexWriter(w); /* * This call can be replaced by the logic of reading * data using multiple threads */ addDocumentsInMultipleThreads(writer); writer.optimize(); writer.close(); catch (Exception e) e.printStackTrace(); private static void addDocumentsInMultipleThreads( AsynchronousIndexWriter writer) throws InterruptedException //add here the code for adding document from multiple threads. Document doc = new Document(); doc.add(new Field("content","My Content", Field.Store.YES, Field.Index.UN_TOKENIZED)); writer.addDocument(new Document()); If you find this useful or have some suggestions for improvements please leave a comment and I will try to respond. Lucene parallel writer code, lucene parallel indexing, lucene fast index creation, asynchronous index creation, parallel index creation, fast index creation code, Lucene Asynchronous Index Writer, thread based index writer, multi threaded index writing lucene indexwriter, lucene indexing , lucene fast index writer, lucene fast indexing, lucene asynchronous writer, lucene building fast index, lucene parallel index, search engine lucene, indexwriter lucene, what is lucene search, implementing search lucene, lucene indexing speed, lucene indexing performance improvement.
0 notes
Text
Podcast Creative Writing For Beginners || How to Get Started || ARY Talk
From <https://www.youtube.com/watch?v=O9dXNdtO_6I>
#CreativeWriting #WritingForBeginners #StartWriting #PodcastForWriters #WritingJourney
0 notes
Text
कहानी / Story
कभी कभी कोई कहानीलिखते लिखते,लिखने लग जाता हूं कविता,क्योंकि छुपी होती हैइसके पीछे एक और कहानी,मेरी खुद की… 🍁🍁🍁🍁🍁🍁 Sometimes I startwriting a … कहानी / Story Sometimes I startwriting a poetry,while writing a story,because behind itanother story is hidden,my own… –Kaushal Kishore

View On WordPress
0 notes
Text
I need to startwriting down urls when i think about them 😭
think im gonna make another sideblog
#i KNOW ihad a few options a few days ago but i cant remember them now#they were all related to chiaki lol#yes im doing an enstars sb 😔
3 notes
·
View notes
Text
So I say hello to everyone.
I think the last time I posted something I was thirteen. I always been a little to scared. But 2022 I give my depression a struggle with me. So here we go. I want to start writing again. So one shots can't hurt right.
I want to through myself into the sea of words.
So I write for
Marvel
-the original 6
+ Bucky
+ vision
Harry potter
Doctor who
Sons of anarchy
Supernatural
The witcher
You can always ask for any other Fandom and I will tell you if I can do it or not.
Plus if you have any tips for me pleas feel free to write me.
#Startwriting#begginer writer#Imagine#oneshot#tony stark x reader#steve rodgers x reader#bucky x reader#clint barton#loki x reader#dean winchester#sam winchester#11th doctor#negan x reader#daryl x reader#Y/N#x reader#Mcu#Supernatural
10 notes
·
View notes
Photo

Write the story you want to read! There will be others who will also want to read it! #writinginspiration #writewhatyouwant #startwriting https://www.instagram.com/p/CT95PrTlqM9/?utm_medium=tumblr
4 notes
·
View notes
Photo
INTRODUCING the **The Digital Authority Amplifier and Digital Sales Tool Kit**. These tools provide you with a plethora of expertly crafted prompts that leverage ChatGPT’s capabilities to produce content that is not only high-quality but also highly relevant and personalized to your target audience's needs and desires. #chatGPT #AI #ArtificialIntelligence #contentcreation #machinelearning #machine #contentwriting #writing #startwriting
#chatGPT#AI#ArtificialIntelligence#contentcreation#machinelearning#machine#contentwriting#writing#startwriting
0 notes
Photo

The Princess and the Dragon - Prologue (on Wattpad) https://www.wattpad.com/1123441284-the-princess-and-the-dragon-prologue?utm_source=web&utm_medium=tumblr&utm_content=share_reading&wp_uname=Ocean_Blue22&wp_originator=h8eCBPAqAbXUy04IZEFUutMy1fKzTFFY%2BuyS4XTGQONvnBCojRGj7lS54y7GpQh7rPT9dG32tgkCtZEuxVb1U2QAGUIjibkhHWcsTD7Cty8apJm9VRmf8ppNtuoD%2Br2r The story follows after a princess Olivia Callebrian, the first heir to the Blair kingdom. Every noble who'd born in the kingdom and near by, has to kill dragons. Those fearless furious monsters sow fear in the hearts of the people for centuries. Olivia grew up knowing her purpose in life, and she was ready until one day she met Emerald, the green dragon shaping into a human, who didn't kill her. Olivia discovering that the dragons were once humans, that there are growing forbidden flowers with magical stones that can give powers, and the creature her legendary grandmother killed centuries ago, came back stronger than before.
#contest#dragonprincess#dragons#epicfantasy#fantasy#heir#kingdom#magic#magicalcreatures#magicalkingdom#mystery#royalfamily#royalty#start#startwiting#startwriting#startwritingcontest#swordfighting#throne#writer#writing#books#wattpad#amreading
6 notes
·
View notes
Text
For a starter.
I heard one says that, building a habit of 15-minutes writing a day will improve your mental health (bonus: critical thinking).
To me it is legit. I’d like having my self thinking a lot of things. Some people say that me my self is an overthinking person. Well it’s not fully wrong. Every time I stop interact with my husband, he always knows that I am in the zone. Thus, I need a canvass to write down all of my thoughts, both important or unimportant stuffs.
So today, I’d like to start this, in a proper way (I mean, on a real blog, not only on a instagram stories haha). Let’s start with not thinking about the grammar at first.
1 note
·
View note
Photo

Hi 👋 We've got 3 new covers, just out on Waffle! Join to start journaling with your favorite people 📝 Available on the App Store #startsomethingnew #journaltogether #groupjournalapp #startwriting #sharing #journal #wafflejournal #waffle #journalapp #diary #diaryapp #journalinspiration #diaryinspiration #gratitudedaily #journalonline #tellyourstory #writeitdown #habits #writinginspiration #tellyourstory #gratitudejournal #digitaljournal #journalcommunity #dailyjournal #creativejournaling #journallove #thedailywriting #journalinspiration https://www.instagram.com/p/CKeoODeBBjg/?igshid=bv4sw2wwxlhp
#startsomethingnew#journaltogether#groupjournalapp#startwriting#sharing#journal#wafflejournal#waffle#journalapp#diary#diaryapp#journalinspiration#diaryinspiration#gratitudedaily#journalonline#tellyourstory#writeitdown#habits#writinginspiration#gratitudejournal#digitaljournal#journalcommunity#dailyjournal#creativejournaling#journallove#thedailywriting
1 note
·
View note