summaryrefslogtreecommitdiff
path: root/Content/posts/2021-06-25-Blog2Twitter-P1.md
blob: 728e97a7fb0d356d8adf1d141795eea00a899262 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
---
date: 2021-06-25 00:08
description: Converting Posts to Twitter Threads
tags: Python, Twitter, Eh
---

# Posting Blog Posts as Twitter Threads Part 1/n

Why? Eh, no good reason, but should be fun.

## Plan of Action

I recently shifted my website to a static site generator I wrote specifically for myself. 
Thus, it should be easy to just add a feature to check for new posts, split the text into chunks for Twitter threads and tweet them.
I am not handling lists or images right now.

## Time to Code

First, the dependency: tweepy for tweeting.

`pip install tweepy`

```python
import os
import tweepy

consumer_key = os.environ["consumer_key"]
consumer_secret = os.environ["consumer_secret"]

access_token = os.environ["access_token"]
access_token_secret = os.environ["access_token_secret"]

auth = tweepy.OAuthHandler(consumer_key, consumer_secret)
auth.set_access_token(access_token, access_token_secret)

api = tweepy.API(auth)
```

The program need to convert the blog post into text fragments.

It reads the markdown file, removes the top YAML content, checks for headers and splits the content.

```python
tweets = []

first___n = 0

with open(sample_markdown_file) as f:
	for line in f.readlines():
		if first___n <= 1:
			if line == "---\n":
				first___n += 1
			continue
		line = line.strip()
		line += " "
		if "#" in line:
			line = line.replace("#","")
			line.strip()
			line = "\n" + line
			line += "\n\n"
		try:
			if len(tweets[-1]) < 260 and (len(tweets[-1]) + len(line)) <= 260:
				tweets[-1] += line
			else:
				tweets.append(line)
		except IndexError:
			if len(line) > 260:
				print("ERROR")
			else:
				tweets.append(line)
```

Every status update using tweepy has an id attached to it, for the next tweet in the thread, it adds that ID while calling the function.

For every tweet fragment, it also appends 1/n.

```python
for idx, tweet in enumerate(tweets):
	tweet += " {}/{}".format(idx+1,len(tweets))
	if idx == 0:
		a = None
		a = api.update_status(tweet)
	else:
		a = api.update_status(tweet,in_reply_to_status_id=a.id)
	print(len(tweet),end=" ")
	print("{}/{}\n".format(idx+1,len(tweets)))
```

Finally, it replies to the last tweet in the thread with the link of the post.

```python
api.update_status("Web Version: {}".format(post_link))
```

## What's Next?

For the next part, I will try to append the code as well. 
I actually added the code to this post after running the program.