<?xml version="1.0" encoding="UTF-8"?><?xml-stylesheet href="/rss.xsl" type="text/xsl"?><rss version="2.0" xmlns:content="http://purl.org/rss/1.0/modules/content/"><channel><title>1934.date</title><description>A coder-ready Astro blog theme with 59 of your favorite color schemes to choose from</description><link>https://1934.date</link><item><title>Understanding Closures in JavaScript</title><link>https://1934.date/posts/understanding-closures-in-javascript</link><guid isPermaLink="true">https://1934.date/posts/understanding-closures-in-javascript</guid><description>A deep dive into closures and their applications in JavaScript.</description><pubDate>Tue, 01 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;&lt;img src=&quot;https://upload.wikimedia.org/wikipedia/commons/e/ef/Programming_code.jpg&quot; alt=&quot;javascript code&quot; /&gt;&lt;/p&gt;
&lt;p&gt;Closures are a fundamental concept in JavaScript that allow functions to access variables from their outer scope. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;function outerFunction(outerVariable) {
  return function innerFunction(innerVariable) {
    console.log(`Outer Variable: ${outerVariable}`)
    console.log(`Inner Variable: ${innerVariable}`)
  }
}

const newFunction = outerFunction(&apos;outside&apos;)
newFunction(&apos;inside&apos;)
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Closures are particularly useful for creating private variables and functions. For example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;function Counter() {
  let count = 0
  return {
    increment: () =&amp;gt; count++,
    getCount: () =&amp;gt; count,
  }
}

const counter = Counter()
counter.increment()
console.log(counter.getCount()) // 1
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Closures are a powerful tool in JavaScript, enabling encapsulation and modularity.&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>TypeScript Generics Explained</title><link>https://1934.date/posts/typescript-generics-explained</link><guid isPermaLink="true">https://1934.date/posts/typescript-generics-explained</guid><description>Learn how to use generics in TypeScript to create reusable and type-safe code.</description><pubDate>Wed, 02 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Generics in TypeScript allow you to create reusable and type-safe components. Here&apos;s a simple example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;function identity&amp;lt;T&amp;gt;(arg: T): T {
  return arg
}

console.log(identity&amp;lt;string&amp;gt;(&apos;Hello&apos;))
console.log(identity&amp;lt;number&amp;gt;(42))
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Generics can also be used with classes and interfaces:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;class Box&amp;lt;T&amp;gt; {
  private content: T

  constructor(content: T) {
    this.content = content
  }

  getContent(): T {
    return this.content
  }
}

const stringBox = new Box&amp;lt;string&amp;gt;(&apos;TypeScript&apos;)
console.log(stringBox.getContent())
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Generics are a powerful feature that can make your TypeScript code more flexible and maintainable.&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Python Decorators Demystified</title><link>https://1934.date/posts/python-decorators-demystified</link><guid isPermaLink="true">https://1934.date/posts/python-decorators-demystified</guid><description>An introduction to Python decorators and how to use them effectively.</description><pubDate>Thu, 03 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Decorators in Python are a powerful way to modify the behavior of functions or methods. Here&apos;s a simple example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;def decorator_function(original_function):
    def wrapper_function(*args, **kwargs):
        print(f&quot;Wrapper executed before {original_function.__name__}&quot;)
        return original_function(*args, **kwargs)
    return wrapper_function

@decorator_function
def say_hello():
    print(&quot;Hello!&quot;)

say_hello()
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Decorators can also be used with arguments:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;def repeat(times):
    def decorator(func):
        def wrapper(*args, **kwargs):
            for _ in range(times):
                func(*args, **kwargs)
        return wrapper
    return decorator

@repeat(3)
def greet():
    print(&quot;Hi!&quot;)

greet()
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Decorators are widely used in Python for logging, access control, and more.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;python -c &quot;@decorator_function\ndef say_hello():\n    print(\&quot;Hello!\&quot;)\nsay_hello()&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Concurrency in Go</title><link>https://1934.date/posts/concurrency-in-go</link><guid isPermaLink="true">https://1934.date/posts/concurrency-in-go</guid><description>Explore how Go handles concurrency with goroutines and channels.</description><pubDate>Fri, 04 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Go is known for its excellent support for concurrency. The primary tools for concurrency in Go are goroutines and channels. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;package main

import (
    &quot;fmt&quot;
    &quot;time&quot;
)

func say(s string) {
    for i := 0; i &amp;lt; 5; i++ {
        time.Sleep(100 * time.Millisecond)
        fmt.Println(s)
    }
}

func main() {
    go say(&quot;world&quot;)
    say(&quot;hello&quot;)
}
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Channels are used to communicate between goroutines:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;package main

import &quot;fmt&quot;

func sum(s []int, c chan int) {
    sum := 0
    for _, v := range s {
        sum += v
    }
    c &amp;lt;- sum // send sum to channel
}

func main() {
    s := []int{7, 2, 8, -9, 4, 0}

    c := make(chan int)
    go sum(s[:len(s)/2], c)
    go sum(s[len(s)/2:], c)
    x, y := &amp;lt;-c, &amp;lt;-c // receive from channel

    fmt.Println(x, y, x+y)
}
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Go&apos;s concurrency model is simple yet powerful, making it a great choice for concurrent programming.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;go run concurrency_example.go
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Mastering Async/Await in JavaScript</title><link>https://1934.date/posts/mastering-async-await-in-javascript</link><guid isPermaLink="true">https://1934.date/posts/mastering-async-await-in-javascript</guid><description>Learn how to handle asynchronous operations in JavaScript using async/await.</description><pubDate>Sat, 05 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Async/await simplifies working with asynchronous code in JavaScript. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;async function fetchData() {
  try {
    const response = await fetch(&apos;https://api.example.com/data&apos;)
    const data = await response.json()
    console.log(data)
  } catch (error) {
    console.error(&apos;Error fetching data:&apos;, error)
  }
}

fetchData()
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Async/await is built on top of Promises and makes the code more readable and maintainable.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;node -e &quot;(async () =&amp;gt; { const response = await fetch(&apos;https://api.example.com/data&apos;); console.log(await response.json()); })()&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>TypeScript Utility Types</title><link>https://1934.date/posts/typescript-utility-types</link><guid isPermaLink="true">https://1934.date/posts/typescript-utility-types</guid><description>Explore the built-in utility types in TypeScript and how to use them.</description><pubDate>Sun, 06 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;TypeScript provides several utility types to make your code more concise and type-safe. For example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;interface User {
  id: number
  name: string
  email: string
}

// Partial makes all properties optional
const updateUser: Partial&amp;lt;User&amp;gt; = { name: &apos;New Name&apos; }

// Readonly makes all properties read-only
const readonlyUser: Readonly&amp;lt;User&amp;gt; = { id: 1, name: &apos;John&apos;, email: &apos;john@example.com&apos; }

// Pick selects specific properties
const userName: Pick&amp;lt;User, &apos;name&apos;&amp;gt; = { name: &apos;John&apos; }

// Omit removes specific properties
const userWithoutEmail: Omit&amp;lt;User, &apos;email&apos;&amp;gt; = { id: 1, name: &apos;John&apos; }
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Utility types are a great way to work with complex types in TypeScript.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;echo &quot;Using Partial, Readonly, Pick, and Omit in TypeScript&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Python&apos;s List Comprehensions</title><link>https://1934.date/posts/pythons-list-comprehensions</link><guid isPermaLink="true">https://1934.date/posts/pythons-list-comprehensions</guid><description>Learn how to use list comprehensions in Python for concise and readable code.</description><pubDate>Mon, 07 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;List comprehensions provide a concise way to create lists in Python. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;# Create a list of squares
squares = [x**2 for x in range(10)]
print(squares)

# Filter even numbers
evens = [x for x in range(10) if x % 2 == 0]
print(evens)

# Nested comprehensions
matrix = [[i * j for j in range(5)] for i in range(5)]
print(matrix)
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;List comprehensions are a powerful feature for creating and transforming lists in Python.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;python -c &quot;print([x**2 for x in range(10)])&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Error Handling in Go</title><link>https://1934.date/posts/error-handling-in-go</link><guid isPermaLink="true">https://1934.date/posts/error-handling-in-go</guid><description>Understand how to handle errors effectively in Go.</description><pubDate>Tue, 08 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Go uses a simple and explicit approach to error handling. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;package main

import (
    &quot;errors&quot;
    &quot;fmt&quot;
)

func divide(a, b int) (int, error) {
    if b == 0 {
        return 0, errors.New(&quot;division by zero&quot;)
    }
    return a / b, nil
}

func main() {
    result, err := divide(10, 0)
    if err != nil {
        fmt.Println(&quot;Error:&quot;, err)
    } else {
        fmt.Println(&quot;Result:&quot;, result)
    }
}
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Error handling in Go is straightforward and encourages developers to handle errors explicitly.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;go run error_handling.go
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>JavaScript&apos;s Event Loop Explained</title><link>https://1934.date/posts/javascripts-event-loop-explained</link><guid isPermaLink="true">https://1934.date/posts/javascripts-event-loop-explained</guid><description>Understand how the JavaScript event loop works and its role in asynchronous programming.</description><pubDate>Wed, 09 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;The event loop is a critical part of JavaScript&apos;s runtime, enabling asynchronous programming. Here&apos;s a simple example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;console.log(&apos;Start&apos;)

setTimeout(() =&amp;gt; {
  console.log(&apos;Timeout&apos;)
}, 0)

console.log(&apos;End&apos;)
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Output:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;Start
End
Timeout
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;The event loop ensures that the call stack is empty before executing tasks from the callback queue. This mechanism allows JavaScript to handle asynchronous operations efficiently.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;node -e &quot;console.log(&apos;Start&apos;); setTimeout(() =&amp;gt; { console.log(&apos;Timeout&apos;); }, 0); console.log(&apos;End&apos;);&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Advanced TypeScript: Conditional Types</title><link>https://1934.date/posts/advanced-typescript-conditional-types</link><guid isPermaLink="true">https://1934.date/posts/advanced-typescript-conditional-types</guid><description>Dive into conditional types in TypeScript and how they can enhance type safety.</description><pubDate>Thu, 10 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;pre&gt;&lt;code&gt;echo &quot;Exploring advanced TypeScript features like conditional types&quot;
&lt;/code&gt;&lt;/pre&gt;
&lt;h2&gt;3 Test&lt;/h2&gt;
&lt;h2&gt;#test&lt;/h2&gt;
&lt;p&gt;Conditional types in TypeScript allow you to create types based on conditions. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;type IsString&amp;lt;T&amp;gt; = T extends string ? true : false

const test1: IsString&amp;lt;string&amp;gt; = true // Valid
const test2: IsString&amp;lt;number&amp;gt; = false // Valid
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Conditional types are particularly useful for creating flexible and reusable type definitions.&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Python&apos;s Generators and Yield</title><link>https://1934.date/posts/pythons-generators-and-yield</link><guid isPermaLink="true">https://1934.date/posts/pythons-generators-and-yield</guid><description>Learn how to use generators and the yield keyword in Python for efficient iteration.</description><pubDate>Fri, 11 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Generators in Python are a way to create iterators using the &lt;code&gt;yield&lt;/code&gt; keyword. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;def count_up_to(n):
    count = 1
    while count &amp;lt;= n:
        yield count
        count += 1

for number in count_up_to(5):
    print(number)
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Generators are memory-efficient and allow you to work with large datasets without loading them entirely into memory.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;python -c &quot;def count_up_to(n):\n    count = 1\n    while count &amp;lt;= n:\n        yield count\n        count += 1\nfor number in count_up_to(5):\n    print(number)&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Go&apos;s Interfaces and Polymorphism</title><link>https://1934.date/posts/gos-interfaces-and-polymorphism</link><guid isPermaLink="true">https://1934.date/posts/gos-interfaces-and-polymorphism</guid><description>Explore how Go uses interfaces to achieve polymorphism.</description><pubDate>Sat, 12 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Interfaces in Go provide a way to achieve polymorphism. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;package main

import &quot;fmt&quot;

type Shape interface {
    Area() float64
}

type Circle struct {
    Radius float64
}

func (c Circle) Area() float64 {
    return 3.14 * c.Radius * c.Radius
}

type Rectangle struct {
    Width, Height float64
}

func (r Rectangle) Area() float64 {
    return r.Width * r.Height
}

func printArea(s Shape) {
    fmt.Println(&quot;Area:&quot;, s.Area())
}

func main() {
    c := Circle{Radius: 5}
    r := Rectangle{Width: 4, Height: 6}

    printArea(c)
    printArea(r)
}
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Interfaces in Go are a powerful way to write flexible and reusable code.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;go run interfaces_example.go
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>JavaScript&apos;s Prototypal Inheritance</title><link>https://1934.date/posts/javascript-prototypal-inheritance</link><guid isPermaLink="true">https://1934.date/posts/javascript-prototypal-inheritance</guid><description>Learn how prototypal inheritance works in JavaScript and its use cases.</description><pubDate>Sun, 13 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Prototypal inheritance is a feature in JavaScript that allows objects to inherit properties and methods from other objects. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;const parent = {
  greet() {
    console.log(&apos;Hello from parent!&apos;)
  },
}

const child = Object.create(parent)
child.greet() // Hello from parent!
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Prototypal inheritance is a flexible way to share behavior between objects without using classes.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;node -e &quot;const parent = { greet() { console.log(&apos;Hello from parent!&apos;); } }; const child = Object.create(parent); child.greet();&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>TypeScript&apos;s keyof and Mapped Types</title><link>https://1934.date/posts/typescripts-keyof-and-mapped-types</link><guid isPermaLink="true">https://1934.date/posts/typescripts-keyof-and-mapped-types</guid><description>Explore the keyof operator and mapped types in TypeScript for advanced type manipulation.</description><pubDate>Mon, 14 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;The &lt;code&gt;keyof&lt;/code&gt; operator and mapped types in TypeScript allow for advanced type manipulation. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;interface User {
  id: number
  name: string
  email: string
}

type UserKeys = keyof User // &apos;id&apos; | &apos;name&apos; | &apos;email&apos;

type ReadonlyUser = {
  [K in keyof User]: Readonly&amp;lt;User[K]&amp;gt;
}

const user: ReadonlyUser = {
  id: 1,
  name: &apos;John&apos;,
  email: &apos;john@example.com&apos;,
}

// user.id = 2; // Error: Cannot assign to &apos;id&apos; because it is a read-only property.
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;These features make TypeScript a powerful tool for creating robust and type-safe applications.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;echo &quot;Using keyof and mapped types in TypeScript&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Python&apos;s Context Managers and the with Statement</title><link>https://1934.date/posts/pythons-context-managers-and-the-with-statement</link><guid isPermaLink="true">https://1934.date/posts/pythons-context-managers-and-the-with-statement</guid><description>Learn how to use context managers and the with statement in Python for resource management.</description><pubDate>Tue, 15 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Context managers in Python are used to manage resources efficiently. Here&apos;s an example:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;with open(&apos;example.txt&apos;, &apos;w&apos;) as file:
    file.write(&apos;Hello, world!&apos;)
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;You can also create custom context managers using classes or the &lt;code&gt;contextlib&lt;/code&gt; module:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;from contextlib import contextmanager

@contextmanager
def custom_context():
    print(&apos;Entering context&apos;)
    yield
    print(&apos;Exiting context&apos;)

with custom_context():
    print(&apos;Inside context&apos;)
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Context managers ensure that resources are properly cleaned up, making your code more reliable and maintainable.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;python -c &quot;with open(&apos;example.txt&apos;, &apos;w&apos;) as file: file.write(&apos;Hello, world!&apos;)&quot;
&lt;/code&gt;&lt;/pre&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Showing Off Blog Features</title><link>https://1934.date/posts/showing-off-blog-features</link><guid isPermaLink="true">https://1934.date/posts/showing-off-blog-features</guid><pubDate>Sun, 20 Jul 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Since the post does not have a description in the frontmatter, the first paragraph is used.&lt;/p&gt;
&lt;h2&gt;Theming&lt;/h2&gt;
&lt;blockquote&gt;
&lt;p&gt;Use your favorite editor theme for your blog!&lt;/p&gt;
&lt;/blockquote&gt;
&lt;p&gt;Theming for the website comes from builtin Shiki themes found in Expressive Code. You can view them &lt;a href=&quot;https://expressive-code.com/guides/themes/#available-themes&quot;&gt;here&lt;/a&gt;. A website can have one or more themes, defined in &lt;code&gt;src/site.config.ts&lt;/code&gt;. There are three theming modes to choose from:&lt;/p&gt;
&lt;ol&gt;
&lt;li&gt;&lt;code&gt;single&lt;/code&gt;: Choose a single theme for the website. Simple.&lt;/li&gt;
&lt;li&gt;&lt;code&gt;light-dark-auto&lt;/code&gt;: Choose two themes for the website to use for light and dark mode. The header will include a button for toggling between light/dark/auto. For example, you could choose &lt;code&gt;github-dark&lt;/code&gt; and &lt;code&gt;github-light&lt;/code&gt; with a default of &lt;code&gt;&quot;auto&quot;&lt;/code&gt; and the user&apos;s experience will match their operating system theme straight away.&lt;/li&gt;
&lt;li&gt;&lt;code&gt;select&lt;/code&gt;: Choose two or more themes for the website and include a button in the header to change between any of these themes. You could include as many Shiki themes from Expressive Code as you like. Allow users to find their favorite theme!&lt;/li&gt;
&lt;/ol&gt;
&lt;blockquote&gt;
&lt;p&gt;When the user changes the theme, their preference is stored in &lt;code&gt;localStorage&lt;/code&gt; to persist across page navigation.&lt;/p&gt;
&lt;/blockquote&gt;
&lt;h2&gt;Code Blocks&lt;/h2&gt;
&lt;p&gt;Let&apos;s look at some code block styles:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;def hello_world():
    print(&quot;Hello, world!&quot;)

hello_world()
&lt;/code&gt;&lt;/pre&gt;
&lt;pre&gt;&lt;code&gt;def hello_world():
    print(&quot;Hello, world!&quot;)

hello_world()
&lt;/code&gt;&lt;/pre&gt;
&lt;pre&gt;&lt;code&gt;python hello.py
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Also some inline code: &lt;code&gt;1 + 2 = 3&lt;/code&gt;. Or maybe even &lt;code&gt;(= (+ 1 2) 3)&lt;/code&gt;.&lt;/p&gt;
&lt;p&gt;See the &lt;a href=&quot;https://expressive-code.com/key-features/syntax-highlighting/&quot;&gt;Expressive Code Docs&lt;/a&gt; for more information on available features like wrapping text, line highlighting, diffs, etc.&lt;/p&gt;
&lt;h2&gt;Basic Markdown Elements&lt;/h2&gt;
&lt;ul&gt;
&lt;li&gt;List item 1&lt;/li&gt;
&lt;li&gt;List item 2&lt;/li&gt;
&lt;/ul&gt;
&lt;p&gt;&lt;strong&gt;Bold text&lt;/strong&gt;&lt;/p&gt;
&lt;p&gt;&lt;em&gt;Italic text&lt;/em&gt;&lt;/p&gt;
&lt;p&gt;&lt;s&gt;Strikethrough text&lt;/s&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.example.com&quot;&gt;Link&lt;/a&gt;&lt;/p&gt;
&lt;blockquote&gt;
&lt;p&gt;In life, as in art, some endings are bittersweet. Especially when it comes to love. Sometimes fate throws two lovers together only to rip them apart. Sometimes the hero finally makes the right choice but the timing is all wrong. And, as they say, timing is everything.&lt;/p&gt;
&lt;p&gt;- Gossip Girl&lt;/p&gt;
&lt;/blockquote&gt;
&lt;table&gt;
&lt;thead&gt;
&lt;tr&gt;
&lt;th&gt;Name&lt;/th&gt;
&lt;th&gt;Age&lt;/th&gt;
&lt;th&gt;City&lt;/th&gt;
&lt;/tr&gt;
&lt;/thead&gt;
&lt;tbody&gt;
&lt;tr&gt;
&lt;td&gt;Alice&lt;/td&gt;
&lt;td&gt;30&lt;/td&gt;
&lt;td&gt;New York&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;Bob&lt;/td&gt;
&lt;td&gt;25&lt;/td&gt;
&lt;td&gt;Los Angeles&lt;/td&gt;
&lt;/tr&gt;
&lt;tr&gt;
&lt;td&gt;Charlie&lt;/td&gt;
&lt;td&gt;35&lt;/td&gt;
&lt;td&gt;Chicago&lt;/td&gt;
&lt;/tr&gt;
&lt;/tbody&gt;
&lt;/table&gt;
&lt;hr /&gt;
&lt;h2&gt;Images&lt;/h2&gt;
&lt;p&gt;Images can include a title string after the URL to render as a &lt;code&gt;&amp;lt;figure&amp;gt;&lt;/code&gt; with a &lt;code&gt;&amp;lt;figcaption&amp;gt;&lt;/code&gt;.&lt;/p&gt;
&lt;p&gt;&lt;img src=&quot;./PixelatedGreenTreeSide.png&quot; alt=&quot;Pixel art of a tree&quot; title=&quot;Pixel art renders poorly without proper CSS&quot; /&gt;&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;![Pixel art of a tree](./PixelatedGreenTreeSide.png &apos;Pixel art renders poorly without proper CSS&apos;)
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;I&apos;ve also added a special tag for pixel art that adds the correct CSS to render properly. Just add &lt;code&gt;#pixelated&lt;/code&gt; to the very end of the alt string.&lt;/p&gt;
&lt;p&gt;&lt;img src=&quot;./PixelatedGreenTreeSide.png&quot; alt=&quot;Pixel art of a tree #pixelated&quot; title=&quot;But adding #pixelated to the end of the alt string fixes this&quot; /&gt;&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;![Pixel art of a tree #pixelated](./PixelatedGreenTreeSide.png &apos;But adding #pixelated to the end of the alt string fixes this&apos;)
&lt;/code&gt;&lt;/pre&gt;
&lt;h2&gt;Admonitions&lt;/h2&gt;
&lt;pre&gt;&lt;code&gt;:::note
testing123
:::
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;:::note
testing123
:::&lt;/p&gt;
&lt;p&gt;:::tip
testing123
:::&lt;/p&gt;
&lt;p&gt;:::important
testing123
:::&lt;/p&gt;
&lt;p&gt;:::caution
testing123
:::&lt;/p&gt;
&lt;p&gt;:::warning
testing123
:::&lt;/p&gt;
&lt;h2&gt;Character Chats&lt;/h2&gt;
&lt;pre&gt;&lt;code&gt;:::duck
**Did you know?** You can easily create custom character chats for your blog with MultiTerm!
:::
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;:::duck
&lt;strong&gt;Did you know?&lt;/strong&gt; You can easily create custom character chats for your blog with MultiTerm!
:::&lt;/p&gt;
&lt;h3&gt;Adding Your Own&lt;/h3&gt;
&lt;p&gt;To add your own character, first add an image file to the top-level &lt;code&gt;/public&lt;/code&gt; directory in your cloned MultiTerm repo. Astro cannot automatically optimize image assets from markdown plugins, so make sure to compress the image to a web-friendly size (&amp;lt;100kb).&lt;/p&gt;
&lt;p&gt;I recommend Google&apos;s free &lt;a href=&quot;https://squoosh.app&quot;&gt;Squoosh&lt;/a&gt; web app for creating super small webp files. The characters here have been resized to 300 pixels wide and exported to webp with 75% quality using Squoosh.&lt;/p&gt;
&lt;p&gt;After you&apos;ve added your image, update the &lt;code&gt;characters&lt;/code&gt; option in &lt;code&gt;site.config.ts&lt;/code&gt; with your newly added image file and restart the development server.&lt;/p&gt;
&lt;h3&gt;Character Conversations&lt;/h3&gt;
&lt;p&gt;When there are multiple character chats in a row, the order of the chat image and chat bubble reverses to give the chat more of a back-and-forth appearance.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;:::owl
This is a cool feature!
:::

:::unicorn
I agree!
:::
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;:::owl
This is a cool feature!
:::&lt;/p&gt;
&lt;p&gt;:::unicorn
I agree!
:::&lt;/p&gt;
&lt;p&gt;You can specify the alignment (&lt;code&gt;left&lt;/code&gt; or &lt;code&gt;right&lt;/code&gt;) to override the default &lt;code&gt;left, right, left, ...&lt;/code&gt; ordering.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;:::unicorn{align=&quot;right&quot;}
Over here, to the right!
:::
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;:::unicorn{align=&quot;right&quot;}
Over here, to the right!
:::&lt;/p&gt;
&lt;h2&gt;GitHub Cards&lt;/h2&gt;
&lt;p&gt;GitHub overview cards heavily inspired by &lt;a href=&quot;https://github.com/chrismwilliams/astro-theme-cactus&quot;&gt;Astro Cactus&lt;/a&gt;.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;::github{repo=&quot;stelcodes/multiterm-astro&quot;}
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;::github{repo=&quot;stelcodes/multiterm-astro&quot;}&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;::github{user=&quot;withastro&quot;}
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;::github{user=&quot;withastro&quot;}&lt;/p&gt;
&lt;h2&gt;Emoji :star_struck:&lt;/h2&gt;
&lt;p&gt;Emojis can be added in markdown by including a literal emoji character or a GitHub shortcode. You can browse an unofficial database &lt;a href=&quot;https://emojibase.dev/emojis?shortcodePresets=github&quot;&gt;here&lt;/a&gt;.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;Good morning! :sleeping: :coffee: :pancakes:
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Good morning! :sleeping: :coffee: :pancakes:&lt;/p&gt;
&lt;blockquote&gt;
&lt;p&gt;All emojis (both literal and shortcoded) are made more accessible by wrapping them in a &lt;code&gt;span&lt;/code&gt; tag like this:&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;&amp;lt;span role=&quot;img&quot; aria-label=&quot;coffee&quot;&amp;gt;☕️&amp;lt;/span&amp;gt;
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;At the time of writing, &lt;a href=&quot;https://emojipedia.org/emoji-16.0&quot;&gt;emoji v16&lt;/a&gt; is not supported yet. These emojis can be included literally but they do not have shortcodes and will not be wrapped.&lt;/p&gt;
&lt;/blockquote&gt;
&lt;h2&gt;LaTeX/KaTeX Math Support&lt;/h2&gt;
&lt;p&gt;You can also display inline math via &lt;a href=&quot;https://github.com/remarkjs/remark-math&quot;&gt;remark-math and rehype-katex&lt;/a&gt;.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;Make those equations pretty! $ \frac{a}{b} \cdot b = a $
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;Make those equations pretty! $ \frac{a}{b} \cdot b = a $&lt;/p&gt;
&lt;p&gt;Check out the &lt;a href=&quot;https://katex.org/docs/supported&quot;&gt;KaTeX docs&lt;/a&gt; to learn about the syntax.&lt;/p&gt;
&lt;pre&gt;&lt;code&gt;$$
a + ar + ar^2 + ar^3 + \dots + ar^{n-1} = \displaystyle\sum_{k=0}^{n - 1}ar^k = a \bigg(\dfrac{1 - r^n}{1 -r}\bigg)
$$
&lt;/code&gt;&lt;/pre&gt;
&lt;p&gt;$$
a + ar + ar^2 + ar^3 + \dots + ar^{n-1} = \displaystyle\sum_{k=0}^{n - 1}ar^k = a \bigg(\dfrac{1 - r^n}{1 -r}\bigg)
$$&lt;/p&gt;
&lt;h2&gt;HTML Elements&lt;/h2&gt;
&lt;p&gt;&amp;lt;button&amp;gt;A Button&amp;lt;/button&amp;gt;&lt;/p&gt;
&lt;h3&gt;Fieldset with Inputs&lt;/h3&gt;
&lt;p&gt;&amp;lt;fieldset&amp;gt;
&amp;lt;input type=&quot;text&quot; placeholder=&quot;Type something&quot;&amp;gt;&amp;lt;br&amp;gt;
&amp;lt;input type=&quot;number&quot; placeholder=&quot;Insert number&quot;&amp;gt;&amp;lt;br&amp;gt;
&amp;lt;input type=&quot;text&quot; value=&quot;Input value&quot;&amp;gt;&amp;lt;br&amp;gt;
&amp;lt;select&amp;gt;
&amp;lt;option value=&quot;1&quot;&amp;gt;Option 1&amp;lt;/option&amp;gt;
&amp;lt;option value=&quot;2&quot;&amp;gt;Option 2&amp;lt;/option&amp;gt;
&amp;lt;option value=&quot;3&quot;&amp;gt;Option 3&amp;lt;/option&amp;gt;
&amp;lt;/select&amp;gt;&amp;lt;br&amp;gt;
&amp;lt;textarea placeholder=&quot;Insert a comment...&quot;&amp;gt;&amp;lt;/textarea&amp;gt;&amp;lt;br&amp;gt;
&amp;lt;label&amp;gt;&amp;lt;input type=&quot;checkbox&quot;&amp;gt; I understand&amp;lt;br&amp;gt;&amp;lt;/label&amp;gt;
&amp;lt;button type=&quot;submi&quot;&amp;gt;Submit&amp;lt;/button&amp;gt;
&amp;lt;/fieldset&amp;gt;&lt;/p&gt;
&lt;h3&gt;Form with Labels&lt;/h3&gt;
&lt;p&gt;&amp;lt;form&amp;gt;
&amp;lt;label&amp;gt;
&amp;lt;input type=&quot;radio&quot; name=&quot;fruit&quot; value=&quot;apple&quot;&amp;gt;
Apple
&amp;lt;/label&amp;gt;&amp;lt;br&amp;gt;&lt;/p&gt;
&lt;p&gt;&amp;lt;label&amp;gt;
&amp;lt;input type=&quot;radio&quot; name=&quot;fruit&quot; value=&quot;banana&quot;&amp;gt;
Banana
&amp;lt;/label&amp;gt;&amp;lt;br&amp;gt;&lt;/p&gt;
&lt;p&gt;&amp;lt;label&amp;gt;
&amp;lt;input type=&quot;radio&quot; name=&quot;fruit&quot; value=&quot;orange&quot;&amp;gt;
Orange
&amp;lt;/label&amp;gt;&amp;lt;br&amp;gt;&lt;/p&gt;
&lt;p&gt;&amp;lt;label&amp;gt;
&amp;lt;input type=&quot;radio&quot; name=&quot;fruit&quot; value=&quot;grape&quot;&amp;gt;
Grape
&amp;lt;/label&amp;gt;&amp;lt;br&amp;gt;&lt;/p&gt;
&lt;p&gt;&amp;lt;label&amp;gt;
&amp;lt;input type=&quot;checkbox&quot; name=&quot;terms&quot; value=&quot;agree&quot;&amp;gt;
I agree to the terms and conditions
&amp;lt;/label&amp;gt;&amp;lt;br&amp;gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>TIME TRAVEL (IT&apos;S GOING TO BE BIBLICAL)</title><link>https://1934.date/posts/thehighcommand</link><guid isPermaLink="true">https://1934.date/posts/thehighcommand</guid><description>TOP SECRET CIA program called “Scouting The Future” predicted 9-11 attack [Area 51] [Cheyenne Mountain]</description><pubDate>Thu, 16 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;TIME TRAVEL (IT&apos;S GOING TO BE BIBLICAL)&lt;/p&gt;
&lt;p&gt;TOP SECRET CIA program called “Scouting The Future” predicted 9-11 attack [Area 51] [Cheyenne Mountain]&lt;/p&gt;
&lt;p&gt;#THE_HIGH_COMMAND&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://old.bitchute.com/video/WxXJ0bdWIO3F/&quot;&gt;https://old.bitchute.com/video/WxXJ0bdWIO3F/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://timothycharlesholmseth.com/top-secret-cia-program-called-scouting-the-future-predicted-9-11-attack-area-51-cheyenne-mountain/&quot;&gt;https://timothycharlesholmseth.com/top-secret-cia-program-called-scouting-the-future-predicted-9-11-attack-area-51-cheyenne-mountain/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;by Pentagon Pedophile Task Force on August 18, 2021
&lt;em&gt;&lt;strong&gt;&lt;strong&gt;INTELLIGENCE DEVELOPED VIA ADRIAN JOHN WELLS, AUSTRALIA&lt;/strong&gt;&lt;/strong&gt;&lt;/em&gt;
&lt;em&gt;&lt;strong&gt;&lt;strong&gt;JOINT SPECIAL OPERATIONS COMMAND&lt;/strong&gt;&lt;/strong&gt;&lt;/em&gt;UNITED STATES ARMY INTELLIGENCE SUPPORT ACTIVITY*****
The 9-11 attack was foreseen by the CIA, Australian military, Five Eyes Spy Alliance, and Hollywood – 18 years before it happened through a program called ‘Scouting The Future’.
In 1983 a young Australian army officer, David John Hurley (the present Governor-General of New South Wales, Australia), traveled to the United States with a four year-old child named Adrian John Wells. Hurley had kidnapped Wells as part of an intelligence operation created by CIA Director William Casey that was called ‘Scouting The Future’.
Hurley and child Wells were picked up at the international airport in Tucson, Arizona by a member of the U.S. Military, Craig Randall (Sawman) Sawyer.
According to Wells, Sawyer was part of the Australian military, as well.
“Craig Sawyer was enlisted into the Australian Secret Intelligence Service (ASIS) where he was given visual information of future’s [and given] Australia Army General Rank security clearance,” Wells said.
“This information known as Scouting The Future could see the future bombing of the New York 9/11 towers in the year of 1983. This bombing came from military intelligence Precognition to Manifestation as foreseen to be the year 1993 underground bombing of the World Trade Tower [in] New York!” Wells said.
Wells said Sawyer, Hurley, and himself were assisted by FBI agents Frank Doyle Sr. and Frank Doyle Jr.
Wells said Hurley “made access granted for all three of us to get on site to Area 51, Nevada Desert, to make contact with their commanding officer where we used highly advanced Australian Secret Intelligence Service technology to create a Live Stream link to Cyber Department for Military Intelligence transfer of the 9/11 attack to come to be in the future of the year, 2001. 9/11”.
Wells said United States Air Force personnel at Area 51 were capable to handle Australian Secret Intelligence Service information but did not agree for the presence of Sawyer, Hurley, and the child to be “legal”.
“We did stay at Area 51 as prisoner’s until we were granted Diplomatic Immunity by the CIA,” Wells said.
Wells said the “U.S. Army Gathered Intelligence on security sites in Kazakhstan and Russia for this Australia Army Operation to make contact in the New Year of 1984”.
“We were released from Area 51,” Wells said.
Wells said “Chuck Grassley [a] Republican politician became Involved [in] 1983 with spy agency intelligence.
“Bill Clinton, governor of Arkansas, became involved in the Year of 1983. We did reach his office of Bill Clinton and Hillary Clinton,” Wells said.
“Later we arrived at Cheyenne Mountain complex in Colorado Springs to make forced entry in to the underground bunker,” wells said. Wells said Sawyer and Hurley were requesting a Commanding Officer appointment.
“Both Area 51 and Cheyenne Mountain Complex did refuse to Except [accept] a matter of National Security should be written by Security Clearance Commanding Officer to call immediate threat level in the USA to a Precognition Spy Agency claiming the Terrorist Attack of 9/11 _ 1993 Underground Bombing of World Trade Centre Towers 1 &amp;amp; 2 will be without consequences for calling relative USA Department of Homeland Security,” Well said.
Wells said further travels abroad included meeting with Vladimir Putin.
Wells said Hurley “used me in hard core child pornography film on request for his Army Operation with U.S. Army child trafficker and rapist/child Abuser, Craig Randall (Sawman) Sawyer.”
Wells said he was sexually mutilated with a knife in a satanic ritual, and used extensively for hard core child pornography including in a “hard core child pornography film by Harvey Weinstein, for Australian political blackmail”.
Well said after 1984, Sawyer joined the U.S. Navy and said Sawyer “now pretends to save children from human trafficking [with an organization called] VETS FOR CHILD RESCUE”.
“I was a V.I.P. young child with a future that would have seen me as a Union Head of Maritime Wharves in Melbourne, Australia,” Wells said.
“Jeffrey Epstein, hired also under the British Royal Australian Army Command of David John Hurley, where I was flown on private jets in United States of America, to an Island. Onboard was Craig Randall (Sawman) Sawyer, U.S. Marine Corps personnel from Arizona, he was Working for the Corrupt Australia Army Operations,” Wells said.
READ ALL - - -&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://timothycharlesholmseth.com/top-secret-cia-program-called-scouting-the-future-predicted-9-11-attack-area-51-cheyenne-mountain/&quot;&gt;https://timothycharlesholmseth.com/top-secret-cia-program-called-scouting-the-future-predicted-9-11-attack-area-51-cheyenne-mountain/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://timothycharlesholmseth.com/wake-up-it-goes-deeper-than-you-think-its-gonna-be-biblical-q-3828/&quot;&gt;https://timothycharlesholmseth.com/wake-up-it-goes-deeper-than-you-think-its-gonna-be-biblical-q-3828/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://odysee.com/@SandraBullockHollywoodNews:a/Wake-Up-(it-goes-DEEPER-than-you-think)-------It&apos;s-Gonna-Be-Biblical---Q-3828:7&quot;&gt;https://odysee.com/@SandraBullockHollywoodNews:a/Wake-Up-(it-goes-DEEPER-than-you-think)-------It&apos;s-Gonna-Be-Biblical---Q-3828:7&lt;/a&gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>MERCURY / THIMEROSAL IS IN ALL VACCINES!!!</title><link>https://1934.date/posts/judymikovits</link><guid isPermaLink="true">https://1934.date/posts/judymikovits</guid><description>Hard evidence that all vaccines are poison. Every single one!</description><pubDate>Sat, 18 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Hard evidence that all vaccines are poison. Every single one!&lt;/p&gt;
&lt;p&gt;(MERCURY / THIMEROSAL IS IN ALL VACCINES!!!: &lt;a href=&quot;https://rumble.com/v6yoh46-hard-evidence-that-all-vaccines-are-poison.-every-single-one.html&quot;&gt;https://rumble.com/v6yoh46-hard-evidence-that-all-vaccines-are-poison.-every-single-one.html&lt;/a&gt; )&lt;/p&gt;
&lt;p&gt;(Older Doctors and Nurses knew Young ones have not learned about nutrition or vaccines: &lt;a href=&quot;https://rumble.com/v705m44-older-doctors-and-nurses-knew-young-ones-have-not-learned-about-nutrition-o.html?&quot;&gt;https://rumble.com/v705m44-older-doctors-and-nurses-knew-young-ones-have-not-learned-about-nutrition-o.html?&lt;/a&gt; )&lt;/p&gt;
&lt;p&gt;(October 8 2009 Anniversary of our XMRV paper that destroyed them: &lt;a href=&quot;https://rumble.com/v706nxu-october-8-2009-anniversary-of-our-xmrv-paper-that-destroyed-them.html&quot;&gt;https://rumble.com/v706nxu-october-8-2009-anniversary-of-our-xmrv-paper-that-destroyed-them.html&lt;/a&gt; )&lt;/p&gt;
&lt;p&gt;BOMBSHELL： Dr. Judy Mikovits Exposes The Plan to Implant Humanity with Cancer Viruses &lt;a href=&quot;https://rumble.com/v16dygf-bombshell-dr.-judy-mikovits-exposes-the-plan-to-implant-humanity-with-cance.html&quot;&gt;https://rumble.com/v16dygf-bombshell-dr.-judy-mikovits-exposes-the-plan-to-implant-humanity-with-cance.html&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;HIV never was AIDS
&lt;a href=&quot;https://rumble.com/v70bfee-hiv-never-was-aids.html?e9s=src_v1_s%2Csrc_v1_s_o&amp;amp;sci=3a55a13f-7f07-4780-840b-e5e7c9806a71&quot;&gt;https://rumble.com/v70bfee-hiv-never-was-aids.html?e9s=src_v1_s%2Csrc_v1_s_o&amp;amp;sci=3a55a13f-7f07-4780-840b-e5e7c9806a71&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Plandemic - Part 1 - Dr. Judy Mikovits
&lt;a href=&quot;https://rumble.com/v2s7bzc-plandemic-part-1-dr.-judy-mikovits.html&quot;&gt;https://rumble.com/v2s7bzc-plandemic-part-1-dr.-judy-mikovits.html&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;The biggest crime in the history of medicine - Dr. Boz [Annette Bosworth, MD]
&lt;a href=&quot;https://rumble.com/v4zat0n-the-biggest-crime-in-the-history-of-medicine-dr.-boz-annette-bosworth-md.html&quot;&gt;https://rumble.com/v4zat0n-the-biggest-crime-in-the-history-of-medicine-dr.-boz-annette-bosworth-md.html&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Alien DNA found in Humans | Civil WAR | Ai Beast System | More Deception&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://rumble.com/v709cnw-alien-dna-found-in-humans-civil-war-ai-beast-system-more-deception.html?e9s=src_v1_s%2Csrc_v1_s_o&amp;amp;sci=176e8c49-5013-4f43-a258-9a79ffca8b56&quot;&gt;https://rumble.com/v709cnw-alien-dna-found-in-humans-civil-war-ai-beast-system-more-deception.html?e9s=src_v1_s%2Csrc_v1_s_o&amp;amp;sci=176e8c49-5013-4f43-a258-9a79ffca8b56&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;(found on Dr. Judy&apos;s transcripts: &lt;a href=&quot;https://therealdrjudy.com/judy-mikovits-transcripts/&quot;&gt;https://therealdrjudy.com/judy-mikovits-transcripts/&lt;/a&gt; )&lt;/p&gt;
&lt;p&gt;“Show them the thimerosal ... which we keep in a metal container because we&apos;re a little afraid of it, and it&apos;s a very fine powder. This is, this is thimerosal, which is labeled very toxic, has cumulative effects, can cause damage to the kidneys, to the respiratory system, skin, to the nervous system. Specifically warns on here that it can cause reproductive and developmental toxicity, meaning that it can cause things like autism and other neurodevelopmental disorders. This is immensely toxic stuff, and this is what&apos;s in the vaccine.&lt;/p&gt;
&lt;p&gt;It&apos;s important to realize we&apos;re talking about a whole range of products. Vaccines are a big one because, of course, you&apos;re directly injecting it. For example, this is tetanus vaccine. This one expires. It&apos;s a lot dated now in 2007 here&apos;s the thimerosal. One to 10,000 is a preservative. Perhaps the the biggest one in the US, at least that&apos;s for exposure to mercury is the influenza vaccine. Influenza vaccine is now recommended for all pregnant women, all infants, all children, on a yearly basis. You&apos;re supposed... understand that thimerosal is not added at the end. It&apos;s not like, well, that factory next year can make thimerosal free. Thimerosal, you either have to have a thimerosal free factory, or you have to not have one. They add thimerosal at each step because the factory is not clean and not sterile. So you either have to have an expensive sterile factory where you don&apos;t need thimerosal, or you have to have one that produces thimerosal. It&apos;s going to need thimerosal or something the whole time it needs to be stopped. This is the influenza vaccine from Adventist Pastor, their flu zone, thimerosal, 25 micrograms ofd mercury per dose. ... I&apos;d like to point out that a lot of people didn&apos;t know, and I&apos;m one of them. I&apos;ve given 2000 RhoGAM shots. I&apos;ve been in vaccines for 35 years. I didn&apos;t know that RhoGAM had Thimerosal in it, so I think a lot of the doctors were unaware. They were unaware that even the word thimerosal meant mercury.”&lt;/p&gt;
&lt;p&gt;Thimerosal in Childhood Vaccine Neurodevelopment Disorders, on Heart Disease in the United States (Journal of American Physicians and Surgeons Volume 8 Number 1 Spring 2003): &lt;a href=&quot;https://www.researchgate.net/publication/293486496_Thimerosal_in_childhood_vaccines_neurodevelopment_disorders_and_heart_disease_in_the_United_States&quot;&gt;https://www.researchgate.net/publication/293486496_Thimerosal_in_childhood_vaccines_neurodevelopment_disorders_and_heart_disease_in_the_United_States&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;President Trump Post on TruthSocial: &lt;a href=&quot;https://truthsocial.com/@realDonaldTrump/115169661443239054&quot;&gt;https://truthsocial.com/@realDonaldTrump/115169661443239054&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Original Video: &lt;a href=&quot;https://1a-1791.com/video/fww1/84/s8/2/O/d/f/g/Odfgz.caa.mp4?b=1&amp;amp;u=ummtf&quot;&gt;https://1a-1791.com/video/fww1/84/s8/2/O/d/f/g/Odfgz.caa.mp4?b=1&amp;amp;u=ummtf&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;THEY POISONED US FOR 40 YEARS CALLED IT AIDS CANCER AND COVID: &lt;a href=&quot;https://therealdrjudy.com/judy-mikovits-transcripts/f/they-poisoned-us-for-40-years-called-it-aids-cancer-and-covid&quot;&gt;https://therealdrjudy.com/judy-mikovits-transcripts/f/they-poisoned-us-for-40-years-called-it-aids-cancer-and-covid&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;THE TETANUS MYTH AND THE TRUE NATURAL REMEDIES: &lt;a href=&quot;https://therealdrjudy.com/judy-mikovits-transcripts/f/the-tetanus-myth-and-the-true-natural-remedies-with-subtitles&quot;&gt;https://therealdrjudy.com/judy-mikovits-transcripts/f/the-tetanus-myth-and-the-true-natural-remedies-with-subtitles&lt;/a&gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>BIG DADDY </title><link>https://1934.date/posts/bigdaddy</link><guid isPermaLink="true">https://1934.date/posts/bigdaddy</guid><description>Must watch QCT-20-2025 Q &amp; A to my grand rising patriots</description><pubDate>Wed, 22 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Must watch QCT-20-2025 Q &amp;amp; A to my grand rising patriots (dumbs)
&lt;a href=&quot;https://www.youtube.com/watch?v=NVh_lbcpWPQ&amp;amp;t=1s&quot;&gt;https://www.youtube.com/watch?v=NVh_lbcpWPQ&amp;amp;t=1s&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Military’s says all humanity will know whats going on,
weither they accept it or not
&lt;a href=&quot;https://www.youtube.com/watch?v=hcFbfrbEVoQ&amp;amp;t=1s&quot;&gt;https://www.youtube.com/watch?v=hcFbfrbEVoQ&amp;amp;t=1s&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Silver is a bank killer.
&lt;a href=&quot;https://www.youtube.com/watch?v=aLakF2hrMu8&quot;&gt;https://www.youtube.com/watch?v=aLakF2hrMu8&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Humanity is waking up and taking back their countries the reptilian leadership is on the run&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=6j0jd14PnKk&amp;amp;t=1s&quot;&gt;https://www.youtube.com/watch?v=6j0jd14PnKk&amp;amp;t=1s&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Patriots Must watch my QCT-21-2025 Q &amp;amp; A to my grand rising patriots
&lt;a href=&quot;https://www.youtube.com/watch?v=c_PigCGTlyA&amp;amp;t=1s&quot;&gt;https://www.youtube.com/watch?v=c_PigCGTlyA&amp;amp;t=1s&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;@Big_Daddy-7Q
&lt;a href=&quot;https://www.youtube.com/@Big_Daddy-7Q&quot;&gt;https://www.youtube.com/@Big_Daddy-7Q&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;It may be a rough ride, but rejoice!
Richard Vobes
&lt;a href=&quot;https://www.youtube.com/watch?v=rcad_g-wpms&amp;amp;t=1s&quot;&gt;https://www.youtube.com/watch?v=rcad_g-wpms&amp;amp;t=1s&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Dismantling the C19 narrative
&lt;a href=&quot;https://www.youtube.com/watch?v=1zJH9YhjwEg&quot;&gt;https://www.youtube.com/watch?v=1zJH9YhjwEg&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;New Earth: The Dawn of the Galactic Human&lt;/p&gt;
&lt;p&gt;THE REAL ISMAEL PEREZ
&lt;a href=&quot;https://www.youtube.com/watch?v=dTK8V2MZ_p0&quot;&gt;https://www.youtube.com/watch?v=dTK8V2MZ_p0&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Swiss Doctor Warns Every Vaccine is Now an mRNA Vaccine Leading Towards Suffering and Death
&lt;a href=&quot;https://www.brighteon.com/baa9d25d-e91f-448a-a9fd-907045b476be&quot;&gt;https://www.brighteon.com/baa9d25d-e91f-448a-a9fd-907045b476be&lt;/a&gt;
Swiss Doctor Warns Every Vaccine is Now an mRNA Vaccine Leading Towards Suffering and Death&lt;/p&gt;
&lt;p&gt;Dr. Lee Merritt Exposing the Plandemic Lies and Uncovering Some Truths
&lt;a href=&quot;https://www.brighteon.com/ffb7556a-b0bd-4720-abe7-aec93f279aa6&quot;&gt;https://www.brighteon.com/ffb7556a-b0bd-4720-abe7-aec93f279aa6&lt;/a&gt;
Dr. Lee Merritt Exposing the Plandemic Lies and Uncovering Some Truths&lt;/p&gt;
&lt;p&gt;If You Knew This, You&apos;d Never Fear a Virus Again | Dr. Ardis
&lt;a href=&quot;https://www.brighteon.com/0e967237-bc06-4047-8e37-56eafad069de&quot;&gt;https://www.brighteon.com/0e967237-bc06-4047-8e37-56eafad069de&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;[Now You Know What The 666 Mark Of the Beast Means
&lt;a href=&quot;https://www.brighteon.com/f3882731-2282-4fd9-8516-7e4bcc0866b7&quot;&gt;https://www.brighteon.com/f3882731-2282-4fd9-8516-7e4bcc0866b7&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;[POWER TO THE PEOPLE&lt;a href=&quot;https://old.bitchute.com/video/WCKCfKMusKjR/&quot;&gt;https://old.bitchute.com/video/WCKCfKMusKjR/&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;[Enoch
&lt;a href=&quot;https://old.bitchute.com/video/soC20jpbtGlN/&quot;&gt;https://old.bitchute.com/video/soC20jpbtGlN/&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;SEIZURE OF CABAL TECHNOLOGY
&lt;a href=&quot;https://old.bitchute.com/video/CVMLTGxcCQFb/&quot;&gt;https://old.bitchute.com/video/CVMLTGxcCQFb/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Reptilian brain 🧠
&lt;a href=&quot;https://old.bitchute.com/video/AkZRnGGS9nbc/&quot;&gt;https://old.bitchute.com/video/AkZRnGGS9nbc/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;[Disloyal US Flag Officers arrested at Quantico, Trump&apos;s Ascent to World Leader
&lt;a href=&quot;https://www.youtube.com/watch?v=mjPfVCkD3I8&amp;amp;t=2s&quot;&gt;https://www.youtube.com/watch?v=mjPfVCkD3I8&amp;amp;t=2s&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;[Gene DeCode’s website is: &lt;a href=&quot;https://www.genedecode.org/&quot;&gt;https://www.genedecode.org/&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;3 Herbs Curing all 4 Major Parasitic Infections (Cancer) by Dr. Bryan Ardis
&lt;a href=&quot;https://rumble.com/v6wgn46-3-herbs-curing-all-4-major-parasitic-infections-by-dr.-brian-ardis.html&quot;&gt;https://rumble.com/v6wgn46-3-herbs-curing-all-4-major-parasitic-infections-by-dr.-brian-ardis.html&lt;/a&gt;
&lt;a href=&quot;https://rumble.com/v6wgn46-3-herbs-curing-all-4-major-parasitic-infections-by-dr.-brian-ardis.html&quot;&gt;https://rumble.com/v6wgn46-3-herbs-curing-all-4-major-parasitic-infections-by-dr.-brian-ardis.html&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;3 Herbs Curing all 4 Major Parasitic Infections (Cancer) by Dr. Bryan Ardis&lt;/p&gt;
&lt;p&gt;New Earth: The Dawn of the Galactic Human&lt;/p&gt;
&lt;p&gt;THE REAL ISMAEL PEREZ
74.7K subscribers&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=dTK8V2MZ_p0&quot;&gt;https://www.youtube.com/watch?v=dTK8V2MZ_p0&lt;/a&gt;
&lt;a href=&quot;https://www.youtube.com/watch?v=dTK8V2MZ_p0&quot;&gt;https://www.youtube.com/watch?v=dTK8V2MZ_p0&lt;/a&gt;
New Earth: The Dawn of the Galactic Human&lt;/p&gt;
&lt;p&gt;THE REAL ISMAEL PEREZ
74.7K subscribers&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://oxion.ai/signup&quot;&gt;https://oxion.ai/signup&lt;/a&gt;
&lt;a href=&quot;https://oxion.ai/signup&quot;&gt;https://oxion.ai/signup&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Will Barney Global Update 10-16-2025 &quot;Red October&quot;
&lt;a href=&quot;https://rumble.com/v70fefk-will-barney-global-update-10-16-2025-red-october.html&quot;&gt;https://rumble.com/v70fefk-will-barney-global-update-10-16-2025-red-october.html&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Dr. Michael Salla — Disloyal US Flag Officers Arrested, Trump’s Ascent to World Leader, and More
&lt;a href=&quot;https://operationdisclosureofficial.com/2025/10/16/dr-michael-salla-disloyal-us-flag-officers-arrested-trumps-ascent-to-world-leader-and-more/&quot;&gt;https://operationdisclosureofficial.com/2025/10/16/dr-michael-salla-disloyal-us-flag-officers-arrested-trumps-ascent-to-world-leader-and-more/&lt;/a&gt;
Disloyal US Flag Officers arrested at Quantico, Trump&apos;s Ascent to World Leader
The Fall Of The Cabal Ser
&lt;a href=&quot;https://rumble.com/v70iima-disloyal-us-flag-officers-arrested-at-quantico-trumps-ascent-to-world-leade.html?&quot;&gt;https://rumble.com/v70iima-disloyal-us-flag-officers-arrested-at-quantico-trumps-ascent-to-world-leade.html?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Disloyal US Flag Officers arrested at Quantico, Trump&apos;s Ascent to World Leader
Exopolitics Today with Dr. Mic
&lt;a href=&quot;https://rumble.com/v70d3c4-disloyal-us-flag-officers-arrested-at-quantico-trumps-ascent-to-world-leade.html?&quot;&gt;https://rumble.com/v70d3c4-disloyal-us-flag-officers-arrested-at-quantico-trumps-ascent-to-world-leade.html?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;pAnNON
10/17/2025
&lt;a href=&quot;https://www.bitchute.com/video/PLCpXQDtRvKX&quot;&gt;https://www.bitchute.com/video/PLCpXQDtRvKX&lt;/a&gt;
&lt;a href=&quot;https://www.bitchute.com/video/PLCpXQDtRvKX&quot;&gt;https://www.bitchute.com/video/PLCpXQDtRvKX&lt;/a&gt;
&lt;a href=&quot;https://www.bitchute.com/video/PLCpXQDtRvKX&quot;&gt;https://www.bitchute.com/video/PLCpXQDtRvKX&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&apos;BREAKING INTEL&apos; - Dr. Salla &amp;amp; Gene Decode - Disloyal US Officers Arrested at Quantico - Trump&apos;s Ascent to World Leader (Video)&lt;/p&gt;
&lt;p&gt;pAnNON
10/17/2025&lt;/p&gt;
&lt;p&gt;Dr. Berg - Cancer Dies When You Do THIS
&lt;a href=&quot;https://www.bitchute.com/video/pM2D6y1TQpeN&quot;&gt;https://www.bitchute.com/video/pM2D6y1TQpeN&lt;/a&gt;
&lt;a href=&quot;https://www.bitchute.com/video/pM2D6y1TQpeN&quot;&gt;https://www.bitchute.com/video/pM2D6y1TQpeN&lt;/a&gt;
Dr. Berg - Cancer Dies When You Do THIS&lt;/p&gt;
&lt;p&gt;WTPN SITUATION UPDATE FEATURING RESTORED REPUBLIC October 18, 2025
&lt;a href=&quot;https://www.bitchute.com/video/g8RIYzEXpd6J&quot;&gt;https://www.bitchute.com/video/g8RIYzEXpd6J&lt;/a&gt;
&lt;a href=&quot;https://www.bitchute.com/video/g8RIYzEXpd6J&quot;&gt;https://www.bitchute.com/video/g8RIYzEXpd6J&lt;/a&gt;
WTPN SITUATION UPDATE FEATURING RESTORED REPUBLIC October 18, 2025&lt;/p&gt;
&lt;p&gt;NINO with JUAN O&apos;SAVIN - AND BEHOLD THE PALE HORSE
&lt;a href=&quot;https://www.bitchute.com/video/UXbu4xKvs8Qz&quot;&gt;https://www.bitchute.com/video/UXbu4xKvs8Qz&lt;/a&gt;
&lt;a href=&quot;https://www.bitchute.com/video/UXbu4xKvs8Qz&quot;&gt;https://www.bitchute.com/video/UXbu4xKvs8Qz&lt;/a&gt;
NINO with JUAN O&apos;SAVIN - AND BEHOLD THE PALE HORSE&lt;/p&gt;
&lt;p&gt;Michael Jaco &amp;amp; David Nino Rodriguez SHOCKING Intel 10.18.25 - We Will Rebuild the Future America
&lt;a href=&quot;https://www.bitchute.com/video/HeQxtxCyyxd7&quot;&gt;https://www.bitchute.com/video/HeQxtxCyyxd7&lt;/a&gt;
Michael Jaco &amp;amp; David Nino Rodriguez SHOCKING Intel 10.18.25 - We Will Rebuild the Future America&lt;/p&gt;
&lt;p&gt;Ismael Perez &amp;amp; Michael Jaco -Shocking Disclosure The Secret Government - Secrets, Power, and Lies!
&lt;a href=&quot;https://www.bitchute.com/video/Qvz6VcUYCeDg&quot;&gt;https://www.bitchute.com/video/Qvz6VcUYCeDg&lt;/a&gt;
Ismael Perez &amp;amp; Michael Jaco -Shocking Disclosure The Secret Government - Secrets, Power, and Lies!&lt;/p&gt;
&lt;p&gt;pAnNON
&lt;a href=&quot;https://www.bitchute.com/channel/D1sWU5web333&quot;&gt;https://www.bitchute.com/channel/D1sWU5web333&lt;/a&gt;
pAnNON&lt;/p&gt;
&lt;p&gt;Starkey Omega Ai First Look (Detailed Review incoming)
&lt;a href=&quot;https://www.youtube.com/watch?v=BCyY7OOoyjs&quot;&gt;https://www.youtube.com/watch?v=BCyY7OOoyjs&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;zzzzzzzzzzz&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>THE FINAL BATTLE ~ RICCARDO BOSI ~ 17PLUS 17PLUS.WEEBLY.COM</title><link>https://1934.date/posts/riccardobosi</link><guid isPermaLink="true">https://1934.date/posts/riccardobosi</guid><description>This is a superb video, with the wonderful and honorable Ricardo Bosi.</description><pubDate>Wed, 22 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;(VIDEO MUST SEE 35.12). THE FINAL PHASE PLAN WITH RICARDO BOSI&lt;/p&gt;
&lt;p&gt;Posted By: Lymerick
Date: Tuesday, 14-Oct-2025 01:50:00
www.rumormill.news/260517&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.rumormillnews.com/cgi-bin/forum.cgi?read=260517&quot;&gt;This is a superb video, with the wonderful and honorable Ricardo Bosi. In this video, he explains ALL aspects of the Final Plan to defeat the Cabal/Black Hats - from the need for a scare event to what all the different &quot;Hat Colors&quot; mean and the truth about Project Warp Speed. If you want to know the whats and whys of the Final Plan and what it all means, take a listen to Ricardo Bosi to be finally filled in!!! &amp;amp; Blessed Be!!! &amp;amp; Lymerick&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://rumble.com/v6xna7y-the-final-battle-riccardo-bosi-17plus-17plus.weebly.com.html&quot;&gt;THE FINAL BATTLE ~ RICCARDO BOSI ~ 17PLUS 17PLUS.WEEBLY.COM&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://x.com/CaptKylePatriot/status/1985011013322789085&quot;&gt;SPECIAL MESSAGE - THE FINAL PHASE PLAN WITH COL RICARDO BOSI CaptKylePatriot&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://old.bitchute.com/video/YupAy10vHmLy/&quot;&gt;AustraliaOne Party (A1) - The Final Phase - Plan Riccardo Bosi&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=KBdS2O-U6bs&quot;&gt;Riccardo Bosi &amp;amp; The Final Phase Plan&amp;amp; Q The Trust Plan Russell Stewart&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://odysee.com/@liabilitymate:5/ricard:00&quot;&gt;RICCARDO BOSI &quot;IT&apos;S A WORLD WAR WE MUST WIN&quot;&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;[RICCARDO BOSI &quot;IT&apos;S A WORLD WAR WE MUST WIN&quot;
&lt;a href=&quot;https://odysee.com/@Liabilitymate:d/bosi2:b&quot;&gt;https://odysee.com/@Liabilitymate:d/bosi2:b&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;[AustraliaOne Party - The Dark Empire is Falling 20 October 2025 30:00
&lt;a href=&quot;https://rumble.com/v70l1ri-australiaone-party-the-dark-empire-is-falling-20-october-2025.html?&quot;&gt;https://rumble.com/v70l1ri-australiaone-party-the-dark-empire-is-falling-20-october-2025.html?&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;[10.20.25 THE DARK EMPIRE IS FALLING w/McKay, Jaco, &amp;amp; Bosi 30:00
&lt;a href=&quot;https://rumble.com/v70ke7y-10.20.25-the-dark-empire-is-falling-wmckay-jaco-and-bosi.html?&quot;&gt;https://rumble.com/v70ke7y-10.20.25-the-dark-empire-is-falling-wmckay-jaco-and-bosi.html?&lt;/a&gt;]&lt;/p&gt;
&lt;p&gt;(PatriotStreetfighter
&lt;a href=&quot;https://rumble.com/c/PatriotStreetfighter?&quot;&gt;https://rumble.com/c/PatriotStreetfighter?&lt;/a&gt;)&lt;/p&gt;
&lt;p&gt;The White Hats&apos; Coordinated Takedown of Deep State Systems | Riccardo Bosi
(&lt;a href=&quot;https://rumble.com/v6xbgt8-the-white-hats-coordinated-takedown-of-deep-state-systems-riccardo-bosi.html?&quot;&gt;https://rumble.com/v6xbgt8-the-white-hats-coordinated-takedown-of-deep-state-systems-riccardo-bosi.html?&lt;/a&gt;)&lt;/p&gt;
&lt;p&gt;(AustraliaOne Party
&lt;a href=&quot;https://rumble.com/c/AustraliaOneParty&quot;&gt;https://rumble.com/c/AustraliaOneParty&lt;/a&gt;)&lt;/p&gt;
&lt;p&gt;(CCP spies Fraud election fake &quot;Australian Government&quot;
&lt;a href=&quot;https://odysee.com/@liabilitymate:5/zee:87&quot;&gt;https://odysee.com/@liabilitymate:5/zee:87&lt;/a&gt;)&lt;/p&gt;
&lt;p&gt;(RICCARDO BOSI &quot;IT&apos;S A WORLD WAR WE MUST WIN&quot;
&lt;a href=&quot;https://odysee.com/@liabilitymate:5/ricard:00&quot;&gt;https://odysee.com/@liabilitymate:5/ricard:00&lt;/a&gt;)&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://odysee.com/@Liabilitymate:d/bosi2:b&quot;&gt;https://odysee.com/@Liabilitymate:d/bosi2:b&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;RICCARDO BOSI &quot;IT&apos;S A WORLD WAR WE MUST WIN&quot;&lt;/p&gt;
&lt;p&gt;Riccardo Bosi with the Bnai Brith
&lt;a href=&quot;https://odysee.com/@OzFlor:7/291223:b&quot;&gt;https://odysee.com/@OzFlor:7/291223:b&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;40:59
Riccardo Bosi with the Bnai Brith&lt;/p&gt;
&lt;p&gt;The Alarming Presence of Graphene Oxide in Dental Anesthetics and Other Injectables - 2nd upload attempt
&lt;a href=&quot;https://odysee.com/@OzFlor:7/150524d:7&quot;&gt;https://odysee.com/@OzFlor:7/150524d:7&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;The Alarming Presence of Graphene Oxide in Dental Anesthetics and Other Injectables - 2nd upload attempt&lt;/p&gt;
&lt;p&gt;Pascal Najadi Talks with Gen. Riccardo Bosi (May 8, 2024)
&lt;a href=&quot;https://odysee.com/@NikosHadjopulos:3/Pascal-Najadi-Talks-with-Gen.-Riccardo-Bosi-(May-8,-2024):e&quot;&gt;https://odysee.com/@NikosHadjopulos:3/Pascal-Najadi-Talks-with-Gen.-Riccardo-Bosi-(May-8,-2024):e&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;THE FINAL BATTLE ~ RICCARDO BOSI ~ 17PLUS 17PLUS.WEEBLY.COM
&lt;a href=&quot;https://rumble.com/v6xna7y-the-final-battle-riccardo-bosi-17plus-17plus.weebly.com.html&quot;&gt;https://rumble.com/v6xna7y-the-final-battle-riccardo-bosi-17plus-17plus.weebly.com.html&lt;/a&gt;
AMERICANDREAM09 with 17PL&lt;/p&gt;
&lt;p&gt;Enoch
&lt;a href=&quot;https://old.bitchute.com/video/soC20jpbtGlN/&quot;&gt;https://old.bitchute.com/video/soC20jpbtGlN/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;SEIZURE OF CABAL TECHNOLOGY
&lt;a href=&quot;https://old.bitchute.com/video/CVMLTGxcCQFb/&quot;&gt;https://old.bitchute.com/video/CVMLTGxcCQFb/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;INTEL BIG DADDY - Q &amp;amp; A (Video)
Posted By: Mr.Ed [Send E-Mail]
Date: Wednesday, 22-Oct-2025 22:36:17 &lt;a href=&quot;https://www.rumormillnews.com/cgi-bin/forum.cgi?read=260809&quot;&gt;https://www.rumormillnews.com/cgi-bin/forum.cgi?read=260809&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Rise of the Machines - The A.I. Takeover &amp;amp; the Battle of Timelines - ISMAEL PEREZ (Video)&lt;a href=&quot;https://www.youtube.com/@THEREALISMAELPEREZ&quot;&gt;https://www.youtube.com/@THEREALISMAELPEREZ&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;THE REAL ISMAEL PEREZ
10/22/2025 &lt;a href=&quot;https://www.youtube.com/watch?v=pIVaQCIcUP0&quot;&gt;https://www.youtube.com/watch?v=pIVaQCIcUP0&lt;/a&gt;
Alliance Update - ISMAEL PEREZ (Video)
10/20/2025 &lt;a href=&quot;https://www.youtube.com/watch?v=54zudEPxBrE&quot;&gt;https://www.youtube.com/watch?v=54zudEPxBrE&lt;/a&gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>THERE IS A FAKE ALIEN INVASION PSYOP TO HIDE A REAL ALIEN WAR - 2011 Michael Prince / James Casbolt</title><link>https://1934.date/posts/jamescasbolt</link><guid isPermaLink="true">https://1934.date/posts/jamescasbolt</guid><description>In 1964, U.S. intelligence expected a Grey/Reptilian ET takeover in 2000-2030</description><pubDate>Thu, 23 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;THERE IS A FAKE ALIEN INVASION PSYOP TO HIDE A REAL ALIEN WAR - 2011 Michael Prince / James Casbolt
&lt;a href=&quot;https://old.bitchute.com/video/acA80C33c9Po/&quot;&gt;https://old.bitchute.com/video/acA80C33c9Po/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Wyrmspleen
&lt;a href=&quot;https://old.bitchute.com/channel/sPLw4CMfMUAO&quot;&gt;https://old.bitchute.com/channel/sPLw4CMfMUAO&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;THERE IS A FAKE ALIEN INVASION PSYOP TO HIDE A REAL ALIEN WAR - 2011 Michael Prince / James Casbolt&lt;/p&gt;
&lt;p&gt;mirrored from &lt;a href=&quot;https://old.bitchute.com/video/acA80C33c9Po/&quot;&gt;https://old.bitchute.com/video/acA80C33c9Po/&lt;/a&gt;
In 1964, U.S. intelligence expected a Grey/Reptilian ET takeover in 2000-2030
&lt;a href=&quot;https://bibliotecapleyades.net/Ciencia/ciencia_mannequin09.htm&quot;&gt;https://bibliotecapleyades.net/Ciencia/ciencia_mannequin09.htm&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Phil Schneider – The Alien Agenda, The Grenada Treaty &amp;amp; The End Game
&lt;a href=&quot;https://rumble.com/v5zvucw-phil-schneider-the-alien-agenda-the-grenada-treaty-and-the-end-game.html&quot;&gt;https://rumble.com/v5zvucw-phil-schneider-the-alien-agenda-the-grenada-treaty-and-the-end-game.html&lt;/a&gt;
According to Phil Schneider it began with the Grenada Treaty, when the Eisenhower administration made a contract with the one of 3 groups of Aliens they had contact with – the agreement was that the Aliens could take animals and humans and do their experiments in exchange for technologies.&lt;/p&gt;
&lt;p&gt;Phil says there are 151 secret bases and Area 51 being a “Mega Base” and 28% of our GDP goes directly for building these underground bases and the Black Budget side steps the people and says the people don’t need to know.&lt;/p&gt;
&lt;p&gt;This is a treasonous act and the funding should stop immediately.&lt;/p&gt;
&lt;p&gt;The Alien Agenda has to do with the Depopulation of about 90% of humanity.&lt;/p&gt;
&lt;p&gt;They have NO value for human life.&lt;/p&gt;
&lt;p&gt;We need to get back to Constitutional Law.&lt;/p&gt;
&lt;p&gt;Other secret bases – S-2, S-4, Groom Lake – the mega bases are using up most of our tax funds that could be used for the people instead of the Military Industrial Complex who believes the people are a bunch of morons and they support the New World Order agenda.&lt;/p&gt;
&lt;p&gt;WWIII: War between Extra-Terrestrial and Humanity Civilization has Started?
&lt;a href=&quot;https://www.latest-ufo-sightings.net/2011/06/wwiii-war-between-extra-terrestrial-and.html&quot;&gt;https://www.latest-ufo-sightings.net/2011/06/wwiii-war-between-extra-terrestrial-and.html&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Michael Prince 2011 Probe Conference interview: Human Cybernization at Q552 Nelson Base
&lt;a href=&quot;https://rumble.com/v24fovs-michael-prince-human-cybernization-at-q552-nelson-base.html&quot;&gt;https://rumble.com/v24fovs-michael-prince-human-cybernization-at-q552-nelson-base.html&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;James Casbolt MI6 - Buried Alive
By James Casbolt/Michael Prince
&lt;a href=&quot;https://inscribedonthebelievingmind.blog/wp-content/uploads/2022/04/james-casbolt-mi6-buried.alive_.pdf&quot;&gt;https://inscribedonthebelievingmind.blog/wp-content/uploads/2022/04/james-casbolt-mi6-buried.alive_.pdf&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;James Casbolt - MI6 Buried Alive (Full Book)
&lt;a href=&quot;https://www.youtube.com/watch?v=CPbLXP2n4WI&quot;&gt;https://www.youtube.com/watch?v=CPbLXP2n4WI&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;@cvmn734
&lt;a href=&quot;https://www.youtube.com/@cvmn734&quot;&gt;https://www.youtube.com/@cvmn734&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&quot;They Were Going To Eat People&quot; - NDE Vision Of Reptilian&apos;s Farm Harvest
&lt;a href=&quot;https://www.bitchute.com/video/XlFfaUMbqujy&quot;&gt;https://www.bitchute.com/video/XlFfaUMbqujy&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Wyrmspleen
&lt;a href=&quot;https://www.bitchute.com/channel/sPLw4CMfMUAO&quot;&gt;https://www.bitchute.com/channel/sPLw4CMfMUAO&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;TIP Movie Night Presents: James Casbolt (Michael Prince) Former Black Ops MI6 Agent Testimony | 2012&lt;/p&gt;
&lt;p&gt;The Imagination Podcast
&lt;a href=&quot;https://www.youtube.com/watch?v=L-uTj1dsTGU&quot;&gt;https://www.youtube.com/watch?v=L-uTj1dsTGU&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;TIP Movie Night Presents: James Casbolt (Michael Prince) Former Black Ops MI6 Agent Testimony | 2012&lt;/p&gt;
&lt;p&gt;WILLIAM COOPER CLASSIC: MAJESTIC 12 AND THE ALIEN PROBLEM!
&lt;a href=&quot;https://old.bitchute.com/video/QgjeWsyFCosI/&quot;&gt;https://old.bitchute.com/video/QgjeWsyFCosI/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Banned Youtube Videos
&lt;a href=&quot;https://www.bitchute.com/channel/2m4a3NgD19fe/&quot;&gt;https://www.bitchute.com/channel/2m4a3NgD19fe/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;The Imagination Podcast&lt;/p&gt;
&lt;p&gt;TIP Movie Night Presents: James Casbolt (Michael Prince) Former Black Ops MI6 Agent Testimony | 2012
https://rumble.com/v6vuxw1-tip-movie-night-presents-james-casbolt-michael-prince-former-black-ops-m16-.html&lt;/p&gt;
&lt;p&gt;The Imagination Podcast
https://rumble.com/c/TheImaginationPodcast?e9s=src_v1_cbl&lt;/p&gt;
&lt;p&gt;‘Super Soldiers’ – Disinfo – Psyop – James Casbolt, Max Spiers and others
http://entityart.co.uk/super-soldiers-disinfo-psyop-james-casbolt-max-spiers-james-rink-underground-bases-extraterrestrials-milabs-aliens-abductions-nazis-fourth-reich/&lt;/p&gt;
&lt;p&gt;3,281 views  Premiered Jul 9, 2025
James Casbolt tells of the SS Nazi connection with the creation of Cyborgized Human babies for use as Supersoldiers of the 4th Reich, in the modern world, and how his batch of programmed babies was intercepted when enroute from a Canadian Nazi SS Base, in Nelson, British Columbia. The inclusion of his mission as an assassin to terminate one of these Cyborg-Supersoldiers, who had stolen a &quot;Pearl&quot;, or suitcase Nuke.&lt;/p&gt;
&lt;p&gt;The SS Nazi connection also connects Energy 106 Pirate station in Monaghan Ireland, as being part of this program, as being a Military operation, which explains why it was not raided for years. The viewer must take all claims in context and understand the extremely dangerous ramifications. Prince states we can expect Alien actions in the public domain. His task with his colleagues will be to &quot;herd&quot; us away from such dangers.&lt;/p&gt;
&lt;p&gt;Part 2 of this major interview with Michael Prince aka James Casbolt, we deal with his Active Service duties, and how some of the Children from Nelson Base in Canada, were rescued from their Nazi SS captors in 1979, and taken to Toronto.&lt;/p&gt;
&lt;p&gt;James Casbolt tells of the SS Nazi connection with the creation of Cyborgized Human babies for use as Supersoldiers of the 4th Reich, in the modern world, and how his batch of programmed babies was intercepted when enroute from a Canadian Nazi SS Base, in Nelson, British Columbia. The inclusion of his mission as an assassin to terminate one of these Cyborg Super Soldiers, who had stolen a &quot;Pearl&quot;, or suitcase Nuke.&lt;/p&gt;
&lt;p&gt;Part 3 of this major interview with Michael Prince aka James Casbolt where he discusses his guardian or foster type mother, and early missions in 1980. The pursuit of a Wolf Type being through the jungle in Penang. This brings in other &quot;Super soldiers&quot; who are able to pursue the Being. He also mentions this being turning up at AL-499 many, many years later.&lt;/p&gt;
&lt;p&gt;In part 4 of Bases 9, we involve one of the earlier participants in this series, Lisa, discussing Ron Adams and the details of the SS Nazi link in this Alien UFO story. The link with SS General Kammler in the CURRENT time frame is made.&lt;/p&gt;
&lt;p&gt;James discusses a shoot down of an Octoform ET in St Ives in March 2011, and shoot down of a Cessna plane at an airfield in southern England, with a Reptilian ET on board. The association with the Grid Keeper is made.&lt;/p&gt;
&lt;p&gt;CONNECT WITH EMMA / THE IMAGINATION:
Rumble: https://rumble.com/c/TheImaginationPo...
EMAIL: imagineabetterworld2020@gmail.com OR standbysurvivors@protonmail.com
My Substack: https://emmakatherine.substack.com/
BUY ME A COFFEE: https://www.buymeacoffee.com/theimagi...
All links: https://direct.me/theimaginationpodcast&lt;/p&gt;
&lt;p&gt;RIFE TECHNOLOGIES:
https://realrifetechnology.com/
15% Code: 420&lt;/p&gt;
&lt;p&gt;CZTL METHELENE BLUE:
https://cztl.bz?ref=2BzG1
Free Shipping Code: IMAGINATION
Transcript
Follow along using the transcript.&lt;/p&gt;
&lt;p&gt;Show transcript&lt;/p&gt;
&lt;p&gt;The Imagination Podcast
10.5K subscribers&lt;/p&gt;
&lt;p&gt;https://2012portal.blogspot.com/2020/10/final-battle-update-part-2.html&lt;/p&gt;
&lt;p&gt;Wednesday, October 28, 2020
Final Battle Update Part 2&lt;/p&gt;
&lt;p&gt;In underground bases, the Light Forces are using Mjolnir quantum cannons and sonic weapons to remove as many physical Chimera spiders as possible. Some of those spiders are huge, measuring up to 10 meters / yards in diameter. There are huge spider nests in Chimera underground bases, and all together they form a spider web , a negative leyline construct which is the antithesis of the Flower Of Life leyline grid on the surface. Although many of these spiders are being removed by the Light Forces, the Chimera replenish the nests with fresh spiders which are materialized from quantum superposition state with advanced manifestation chambers. As soon as the quantum reservoir of the Chimera spiders will be gone, the Light Forces will be able to clear Chimera underground bases completely.&lt;/p&gt;
&lt;p&gt;https://2012portal.blogspot.com/2020/10/final-battle-update-part-2.html&lt;/p&gt;
&lt;p&gt;Wednesday, October 28, 2020&lt;/p&gt;
&lt;p&gt;Final Battle Update Part 2&lt;/p&gt;
&lt;p&gt;Galactic Confederation and Resistance forces have managed to erase the Draco fleet and the Illuminati Breakaway Complex (IBC).&lt;/p&gt;
&lt;p&gt;The only Dracos remaining now are those physical and non-physical Dracos who are directly employed as servants to the Chimera, and the naturalized Dracos who mainly came to planet Earth more than 25,000 years ago, entered the incarnation cycle in humanoid bodies and are now incarnated as politicians, bankers, lawyers and other members of the surface Illuminati Cabal.&lt;/p&gt;
&lt;p&gt;A very small number of naturalized Dracos also came to planet Earth in the 1996-1999 timeframe as they entered humanoid clone bodies in underground bases and then entered the surface Illuminati Cabal as lookalikes and doubles of many politicians, and they are still part of the surface Illuminati Cabal.&lt;/p&gt;
&lt;p&gt;With the IBC gone, the only Cabal network still remaining is the surface Cabal network. Surface Cabal network will be properly addressed only after the Chimera threat is significantly diminished.&lt;/p&gt;
&lt;p&gt;The main problem now remaining is the Chimera with their advanced exotic military technologies, especially quantum superposition toplet bombs. The Light Forces are continuing with the operations, now focusing on the removal of the Chimera fleet in Medium Earth orbit and Low Earth orbit, and clearing of the Chimera underground bases.&lt;/p&gt;
&lt;p&gt;In underground bases, the Light Forces are using Mjolnir quantum cannons and sonic weapons to remove as many physical Chimera spiders as possible. Some of those spiders are huge, measuring up to 10 meters / yards in diameter. There are huge spider nests in Chimera underground bases, and all together they form a spider web , a negative leyline construct which is the antithesis of the Flower Of Life leyline grid on the surface. Although many of these spiders are being removed by the Light Forces, the Chimera replenish the nests with fresh spiders which are materialized from quantum superposition state with advanced manifestation chambers. As soon as the quantum reservoir of the Chimera spiders will be gone, the Light Forces will be able to clear Chimera underground bases completely.&lt;/p&gt;
&lt;p&gt;Now they are focusing on removal of the key Chimera spiders which form the backbone of the Matrix system in quarantine Earth. They have already managed to remove the spider queen, who was responsible for destruction of Goddess temples in Atlantis and destruction of the Goddess mysteries in the first and second Archon invasion. She was the force behind the Inquisition and more recently the force behind global child abuse networks, using Mothers of Darkness to do the dirty work (warning: graphic material):&lt;/p&gt;
&lt;p&gt;https://steemit.com/monarch/@rea2009/mother-of-darkness-initiation-for-illuminati-females&lt;/p&gt;
&lt;p&gt;With the spider queen gone, the child abuse networks on the surface will now slowly begin to disintegrate as they are exposed to the surface population. Many Lightworkers and Lightwarriors, especially those who hold the Goddess energy, were directly or indirectly traumatized by the spider queen in many incarnations, and those traumas will now begin to heal. Etheric spider poison which she and other Chimera spiders were emanating and using in their attacks, and was destroying many soulmate relationships on the surface, will now begin to dissipate and clear.&lt;/p&gt;
&lt;p&gt;Exposure of child abuse networks is now going mainstream, as Taiwanese Dragon and other sources are exposing Hunter Biden and his involvement in those networks:&lt;/p&gt;
&lt;p&gt;http://www.whatdoesitmean.com/index3372.htm&lt;/p&gt;
&lt;p&gt;https://www.rumormillnews.com/cgi-bin/forum.cgi?read=156352&lt;/p&gt;
&lt;p&gt;https://www.rumormillnews.com/cgi-bin/forum.cgi?read=156743&lt;/p&gt;
&lt;p&gt;https://www.rt.com/usa/504752-biden-china-interview-bobulinski-tucker/&lt;/p&gt;
&lt;p&gt;Taiwanese Dragons decided to go public with Hunter Biden story and intel about Chinese counterintelligence operations against the United States as a countermeasure against mainland Chinese threats to attack Taiwan. Dragon sources have repeatedly said that they will organize full disclosure of mainland Chinese secret space programs in the event of any aggression towards Taiwanese national sovereignty.&lt;/p&gt;
&lt;p&gt;As the day of the US elections draws near, there are important astrological configurations taking place. The first one is the Jupiter-Saturn synod (heliocentric conjunction) on November 2nd at 6:52 pm UTC. Jupiter-Saturn synod will effectively trigger the Age of Aquarius for all Solar system beyond lunar orbit. At that moment, a massive operation of the Ashtar Command will commence and it will require a complete reorganization of all Ashtar Command fleet beyond lunar orbit.&lt;/p&gt;
&lt;p&gt;It is interesting to note that the following mass meditation starts only 38 minutes after exact Jupiter-Saturn synod:&lt;/p&gt;
&lt;p&gt;https://stillnessinthestorm.com/2020/10/protect-the-vote-mass-synchronized-meditation-and-prayer-for-a-fair-election-2020/&lt;/p&gt;
&lt;p&gt;The second aspect is Mercury turning direct on November 3rd at 5:50 pm UTC. This aspect will ease the tension and uncertainty somewhat.&lt;/p&gt;
&lt;p&gt;The third aspect is the completion of a certain cycle on November 3rd. Nothing more can be said about that.&lt;/p&gt;
&lt;p&gt;Second wave lockdowns are now being implemented in many countries, and it is still very important for as many people as possible to join our daily anti-lockdown meditation:&lt;/p&gt;
&lt;p&gt;https://www.welovemassmeditation.com/2020/09/meditation-to-counteract-engineer-second-wave-lockdowns-daily-at-930-pm-utc.html&lt;/p&gt;
&lt;p&gt;Lockodown concept was engineered by Chinese Cabal members in tandem with Tedros Adhanom:&lt;/p&gt;
&lt;p&gt;https://www.aier.org/article/whats-behind-the-whos-lockdown-mixed-messaging/&lt;/p&gt;
&lt;p&gt;To control the surface population with Covid apps:&lt;/p&gt;
&lt;p&gt;https://humansarefree.com/2020/10/your-post-covid-life-will-be-controlled-by-track-trace-apps-funded-by-the-rockefeller-clinton-foundations.html&lt;/p&gt;
&lt;p&gt;This is going too far, and we need to correct the planetary timeline back into the optimal Ascension timeline. Therefore we will be doing a Timeline Correction mass meditation at the moment of triple Jupiter-Pluto-Pallas conjunction on November 11th at 11:11 CET (equals 10:11 UTC), and you can join if you feel so guided:&lt;/p&gt;
&lt;p&gt;The moment of this meditation will have Paris ascendant conjuncting the Galactic Center and Paris Goddess vortex will be activated to its next level.&lt;/p&gt;
&lt;p&gt;If you are in France, you can join the Paris Sisterhood of the Rose group here:&lt;/p&gt;
&lt;p&gt;https://www.facebook.com/groups/302376580972341&lt;/p&gt;
&lt;p&gt;Or Versailles Sisterhood of the Rose group here:&lt;/p&gt;
&lt;p&gt;https://www.facebook.com/groups/1613860968663520/&lt;/p&gt;
&lt;p&gt;Exact time of the meditation for different time zones is here:&lt;/p&gt;
&lt;p&gt;https://www.timeanddate.com/worldclock/fixedtime.html?msg=Timeline+Correction&amp;amp;iso=20201111T101111&amp;amp;p1=%3A&lt;/p&gt;
&lt;p&gt;All videos for this meditation are gathered here:&lt;/p&gt;
&lt;p&gt;https://www.welovemassmeditation.com/2020/11/timeline-correction-meditation-on-november-11th-at-1011-am-utc.html&lt;/p&gt;
&lt;p&gt;Instructions:&lt;/p&gt;
&lt;ol&gt;
&lt;li&gt;
&lt;p&gt;Use your own technique to bring you to a relaxed state of consciousness.&lt;/p&gt;
&lt;/li&gt;
&lt;li&gt;
&lt;p&gt;State your intent to use this meditation as a tool to co-create the trigger that will shift the timeline back into the optimal timeline for the Age of Aquarius&lt;/p&gt;
&lt;/li&gt;
&lt;li&gt;
&lt;p&gt;Invoke the Violet Flame from its primary source to place a circle of protection around you during and after the meditation. Ask it to transmute anything that does not serve the Light&lt;/p&gt;
&lt;/li&gt;
&lt;li&gt;
&lt;p&gt;Visualize a pillar of brilliant white Light emanating from the Cosmic Central Sun, then being distributed to Central Suns of all galaxies in this universe. Then visualize this light entering through the Galactic Central Sun, then going through our Galaxy, then entering our Solar System and going through all beings of Light inside our Solar System and then through all beings on planet Earth and also through your body to the center of the Earth.&lt;/p&gt;
&lt;/li&gt;
&lt;li&gt;
&lt;p&gt;Visualize this Light shifting the planetary evolution back into the optimal timeline. Visualize it removing all remaining darkness on Earth, healing all inequalities, erasing all poverty and bringing abundance to all humanity. Visualize soft pink Light of the Goddess embracing all beings on planet Earth and healing their emotional bodies. Visualize a new grand cosmic cycle of the Age of Aquarius beginning, bringing pure Light, Love and Happiness to all beings on Earth. Visualize your perfect life in the new Age of Aquarius.&lt;/p&gt;
&lt;/li&gt;
&lt;/ol&gt;
&lt;p&gt;Suggested time for our meditation is 20 minutes.&lt;/p&gt;
&lt;p&gt;This is now the final battle:&lt;/p&gt;
&lt;p&gt;https://www.youtube.com/watch?v=SKug38ZDzG0&amp;amp;feature=youtu.be&lt;/p&gt;
&lt;p&gt;To win our bright future:&lt;/p&gt;
&lt;p&gt;https://www.youtube.com/watch?v=BP4R0rI1wk8&lt;/p&gt;
&lt;p&gt;Victory of the Light!&lt;/p&gt;
&lt;p&gt;https://2012portal.blogspot.com/2020/10/final-battle-update-part-2.html&lt;/p&gt;
&lt;p&gt;Mars Colonies since 1964, AI, American Pope &amp;amp; Israel Iran War - Gene Decode Update
&lt;a href=&quot;https://rumble.com/v6vbsed-mars-colonies-since-1964-ai-american-pope-and-israel-iran-war-gene-decode-u.html&quot;&gt;https://rumble.com/v6vbsed-mars-colonies-since-1964-ai-american-pope-and-israel-iran-war-gene-decode-u.html&lt;/a&gt;
Dr. Michael Salla w/ Gene Decode: Mars Colonies since 1964, AI, American Pope &amp;amp; Israel Iran War (Video) &lt;a href=&quot;https://www.rumormillnews.com/cgi-bin/forum.cgi?read=257814&quot;&gt;https://www.rumormillnews.com/cgi-bin/forum.cgi?read=257814&lt;/a&gt;
pAnNON Gene Decode: Mars Colonies since 1964 &lt;a href=&quot;https://www.bitchute.com/video/5PAdSC0OEyE1&quot;&gt;https://www.bitchute.com/video/5PAdSC0OEyE1&lt;/a&gt;
pAnNON &lt;a href=&quot;https://www.bitchute.com/channel/D1sWU5web333&quot;&gt;https://www.bitchute.com/channel/D1sWU5web333&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Reptilian brain 🧠
&lt;a href=&quot;https://old.bitchute.com/video/AkZRnGGS9nbc/&quot;&gt;https://old.bitchute.com/video/AkZRnGGS9nbc/&lt;/a&gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>❄️ Antarctica’s Secrets Are Melting Away... 👁️ </title><link>https://1934.date/posts/bradolsen</link><guid isPermaLink="true">https://1934.date/posts/bradolsen</guid><description>Startling New Documents Reveal Nazi Germany’s Hidden Antarctica Bases</description><pubDate>Fri, 24 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;#AntarcticaRevealed #MichaelJaco #BradOlsen #HiddenHistory #AncientAliens #UFOFiles #DisclosureNow #AdmiralByrd #TruthMovement #StayInTheLoveVibrations&lt;/p&gt;
&lt;p&gt;❄️ Antarctica’s Secrets Are Melting Away... 👁️
&lt;a href=&quot;https://www.youtube.com/shorts/tYekiv_BHqg&quot;&gt;https://www.youtube.com/shorts/tYekiv_BHqg&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;michaelj5326 &lt;a href=&quot;https://rumble.com/user/michaelj5326&quot;&gt;https://rumble.com/user/michaelj5326&lt;/a&gt;
Michael Jaco &lt;a href=&quot;https://www.youtube.com/user/MichaelJaco&quot;&gt;https://www.youtube.com/user/MichaelJaco&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Antactica Nazi Base, ancient ET settlements, Giants, UFO&apos;s, Pyramids, Ancient cities, Admiral Byrd &lt;a href=&quot;https://rumble.com/v70mg1c-antactica-nazi-base-ancient-et-settlements-giants-ufos-pyramids-ancient-cit.html?&quot;&gt;https://rumble.com/v70mg1c-antactica-nazi-base-ancient-et-settlements-giants-ufos-pyramids-ancient-cit.html?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;❄️ Antarctica’s Secrets Are Melting Away... 👁️ &lt;a href=&quot;https://rumble.com/v70p83a--antarcticas-secrets-are-melting-away...-.html?&quot;&gt;https://rumble.com/v70p83a--antarcticas-secrets-are-melting-away...-.html?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;img src=&quot;./vlcsnap-2025-10-24-11h53m24s584.png&quot; alt=&quot;U-Boat Directions&quot; title=&quot;They Eventually Charted the Terrain Under The Ice At Both Poles.&quot; /&gt;
&lt;img src=&quot;./vlcsnap-2025-10-24-11h46m23s685.png&quot; alt=&quot;U-Boat Directions&quot; title=&quot;Very Exact U-Boat Directions&quot; /&gt;
&lt;img src=&quot;./vlcsnap-2025-10-24-11h49m27s859.png&quot; alt=&quot;U-Boat Directions&quot; title=&quot;A Route Can Be Plotted On Google Earth&quot; /&gt;&lt;/p&gt;
&lt;p&gt;Startling New Documents Reveal Nazi Germany’s Hidden Antarctica Bases &lt;a href=&quot;https://www.youtube.com/watch?v=W7yFtd8udw4&quot;&gt;https://www.youtube.com/watch?v=W7yFtd8udw4&lt;/a&gt;
25 Nov 2024
Brad Olsen, a leading world explorer, has revealed startling new documents showing how Nazi Germany established at least two bases in Antarctica during and immediately after World War 2. The documents show passports for Nazi personnel traveling to Base 211 in New Schwabenland, and also a New Berlin base in the vicinity of the South Pole.&lt;/p&gt;
&lt;p&gt;Using translations of German documents gained from a reliable source, Olsen was able to trace for the first time the long journey under the Antarctic ice sheets by German U-boats ferrying supplies, equipment, and personnel to Base 211 and New Berlin. Olsen also discusses claims that the Antarctica Germans (aka Fourth Reich) reached deals with the Eisenhower administration and how the bases were eventually handed over to the United Nations after the Germans left for Mars.
Brad Olsen’s website is: &lt;a href=&quot;https://bradolsen.com/&quot;&gt;https://bradolsen.com/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Startling New Documents Reveal Nazi Germany’s Hidden Antarctica Bases &lt;a href=&quot;https://rumble.com/v5qvb3t-startling-new-documents-reveal-nazi-germanys-hidden-antarctica-bases.html?&quot;&gt;https://rumble.com/v5qvb3t-startling-new-documents-reveal-nazi-germanys-hidden-antarctica-bases.html?&lt;/a&gt; Exopolitics Today with Dr. Michael Salla&lt;/p&gt;
&lt;p&gt;Secrets Beneath Antarctica – UFOS, Alien Tech, and Nazi Bases | Brad Olsen &lt;a href=&quot;https://www.youtube.com/watch?v=aIdGOcXy64E&amp;amp;t=5s&quot;&gt;https://www.youtube.com/watch?v=aIdGOcXy64E&amp;amp;t=5s&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Disloyal US Flag Officers arrested at Quantico, Trump&apos;s Ascent to World Leader &lt;a href=&quot;https://rumble.com/v70d3c4-disloyal-us-flag-officers-arrested-at-quantico-trumps-ascent-to-world-leade.html?&quot;&gt;https://rumble.com/v70d3c4-disloyal-us-flag-officers-arrested-at-quantico-trumps-ascent-to-world-leade.html?&lt;/a&gt; Exopolitics Today with Dr. Michael Salla&lt;/p&gt;
&lt;p&gt;BASE 211 &amp;amp; New Berlin base - Startling New Documents Reveal Nazi Germany’s Hidden Antarctica Bases &lt;a href=&quot;https://rumble.com/v5swoth-base-211-and-new-berlin-base-startling-new-documents-reveal-nazi-germanys-h.html?&quot;&gt;https://rumble.com/v5swoth-base-211-and-new-berlin-base-startling-new-documents-reveal-nazi-germanys-h.html?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;DUMBS and UNDERGROUND ⚔ The Invisible War ⚔ &lt;a href=&quot;https://rumble.com/c/DUMBSandUNDERGROUND?&quot;&gt;https://rumble.com/c/DUMBSandUNDERGROUND?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;❄️ Antarctica’s Secrets Are Melting Away... 👁️
&lt;a href=&quot;https://www.youtube.com/shorts/tYekiv_BHqg&quot;&gt;https://www.youtube.com/shorts/tYekiv_BHqg&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Antactica Nazi Base, ancient ET settlements, Giants, UFO&apos;s, Pyramids, Ancient cities, Admiral Byrd
&lt;a href=&quot;https://rumble.com/v70mg1c-antactica-nazi-base-ancient-et-settlements-giants-ufos-pyramids-ancient-cit.html?&quot;&gt;https://rumble.com/v70mg1c-antactica-nazi-base-ancient-et-settlements-giants-ufos-pyramids-ancient-cit.html?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;michaelj5326 &lt;a href=&quot;https://rumble.com/user/michaelj5326?&quot;&gt;https://rumble.com/user/michaelj5326?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Nazi bases. UFOs under the ice. Ancient civilizations long erased from history. 🌍&lt;/p&gt;
&lt;p&gt;Michael Jaco &amp;amp; Brad Olsen expose what’s REALLY hidden in Antarctica — from Admiral Byrd’s lost missions to alien technologies buried beneath the glaciers.&lt;/p&gt;
&lt;p&gt;💥 Ancient history meets global disclosure in this jaw-dropping episode that’s shaking up the truth movement.&lt;/p&gt;
&lt;p&gt;🎙️ PODCAST JUST DROPPED!
🎧 Listen on Podbean ➡️ https://michaelkjaco.podbean.com (https://michaelkjaco.podbean.com/)&lt;/p&gt;
&lt;p&gt;📺 Watch the Full Episode on YouTube:
👉 https://youtube.com/live/M5M7cPihrww
📺 Watch more on YouTube ➡️ https://youtube.com/user/michaeljaco
📺 Watch on Rumble ➡️ https://rumble.com/user/michaelj5326&lt;/p&gt;
&lt;p&gt;🌐 More from Michael Jaco: &lt;a href=&quot;https://michaelkjaco.com&quot;&gt;https://michaelkjaco.com&lt;/a&gt;
🌐 More from Brad Olsen: &lt;a href=&quot;https://bradolsen.com&quot;&gt;https://bradolsen.com&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;#AntarcticaRevealed #MichaelJaco #BradOlsen #HiddenHistory #AncientAliens #UFOFiles #DisclosureNow #AdmiralByrd #TruthMovement #StayInTheLoveVibrations&lt;/p&gt;
&lt;p&gt;남극 나치와 지하세계 문명에 대한 이야기들(Conspiracy Theories Regarding Antarctica)
&lt;a href=&quot;https://www.youtube.com/watch?v=PZczLZAK5oo&quot;&gt;https://www.youtube.com/watch?v=PZczLZAK5oo&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Lost Civilizations of Antarctica
July 19, 2023
191
3 min
From giant pyramids hidden beneath the ice and ancient maps depicting an ice-free Antarctica to secret UFO bases, this is the enigmatic Antarctica.
&lt;a href=&quot;https://dzen.ru/a/ZLeAP81mam-xSS1g&quot;&gt;https://dzen.ru/a/ZLeAP81mam-xSS1g&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Unique footage from Antarctica, hidden for 65 years, reveals the mystery of an iceberg believed to be a passage to an unknown world.
&lt;a href=&quot;https://dzen.ru/a/aNFGBI0_p1CB-4mZ&quot;&gt;https://dzen.ru/a/aNFGBI0_p1CB-4mZ&lt;/a&gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>An Inconvenient Study (The Full, Unedited Movie) </title><link>https://1934.date/posts/delbigtree</link><guid isPermaLink="true">https://1934.date/posts/delbigtree</guid><description>An Inconvenient Study: Del Bigtree exposes unpublished vaccine data and the hidden health crisis</description><pubDate>Fri, 24 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;An Inconvenient Study: Del Bigtree exposes unpublished vaccine data and the hidden health crisis &lt;a href=&quot;https://www.youtube.com/watch?v=iNn8apQesqg&quot;&gt;https://www.youtube.com/watch?v=iNn8apQesqg&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;An Inconvenient Study (The Full, Unedited Movie)
&lt;a href=&quot;https://rumble.com/v708lmk-an-inconvenient-study-the-full-unedited-movie.html?&quot;&gt;https://rumble.com/v708lmk-an-inconvenient-study-the-full-unedited-movie.html?&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Bombshell Vax vs. Unvax Study Finally Sees the Light of Day — And the Results Are Staggering
This data “should shock everyone.”&lt;/p&gt;
&lt;p&gt;The Vigilant Fox
Oct 12, 2025 &lt;a href=&quot;https://www.vigilantfox.com/p/bombshell-vax-vs-unvax-study-finally&quot;&gt;https://www.vigilantfox.com/p/bombshell-vax-vs-unvax-study-finally&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Health journalist and film producer Del Bigtree has just released his new film An Inconvenient Study, which follows Bigtree&apos;s years-long exchange with Dr. Marcus Zervos, head of infectious disease at Henry Ford Health in Detroit, a doctor who is about as pro-vaccine as they come.&lt;/p&gt;
&lt;p&gt;In 2016, Dr. Zervos crossed paths with Bigtree, who urged him to take on something public health had avoided for decades: a study comparing the health outcomes of vaccinated and unvaccinated children.&lt;/p&gt;
&lt;p&gt;Dr. Zervos agreed, determined to prove Bigtree and other vaccine skeptics wrong. At the time, he vowed, &quot;Whatever the results, they get published.&quot;&lt;/p&gt;
&lt;p&gt;Both the buried study and the film are now available for everyone to see.&lt;/p&gt;
&lt;p&gt;Movie Website:
&lt;a href=&quot;https://www.aninconvenientstudy.com/&quot;&gt;https://www.aninconvenientstudy.com/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Download the Study:
&lt;a href=&quot;https://www.hsgac.senate.gov/wp-content/uploads/Entered-into-hearing-record-Impact-of-Childhood-Vaccination-on-Short-and-Long-Term-Chronic-Health-Outcomes-in-Children-A-Birth-Cohort-Study.pdf&quot;&gt;https://www.hsgac.senate.gov/wp-content/uploads/Entered-into-hearing-record-Impact-of-Childhood-Vaccination-on-Short-and-Long-Term-Chronic-Health-Outcomes-in-Children-A-Birth-Cohort-Study.pdf&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Before diving into Zervos&apos;s findings, the film laid out prior evidence raising serious questions about vaccine safety.&lt;/p&gt;
&lt;p&gt;One striking example came from Dr. Peter Aaby. Once a vaccine believer, Dr. Aaby became a skeptic after discovering that the DTP vaccine he helped promote for African children led to 2.3 times higher mortality among the vaccinated.&lt;/p&gt;
&lt;p&gt;Decades after launching the DTP program in Guinea-Bissau, Dr. Aaby realized only half the children there had received the shot — giving him a perfect comparative study between the vaccinated and unvaccinated.&lt;/p&gt;
&lt;p&gt;The DTP vaccine did protect against diphtheria, tetanus, and pertussis, but there was also more than a twofold increase in overall mortality. The results stunned Aaby, who now speaks openly about what he discovered.&lt;/p&gt;
&lt;p&gt;&quot;It&apos;s important to recognize that no routine vaccine was tested for overall effect on mortality in randomized trials before being introduced. I guess most of you think that we know what our vaccines are doing. We don&apos;t,&quot; he now teaches.&lt;/p&gt;
&lt;p&gt;The film then turned to Dr. Paul Thomas, who had his license suspended after publishing this study.&lt;/p&gt;
&lt;p&gt;Dr. Thomas studied 3,324 children and found unvaccinated kids had fewer doctor visits and better health outcomes.&lt;/p&gt;
&lt;p&gt;Here&apos;s what his data showed:&lt;/p&gt;
&lt;p&gt;• Fever – 9.1× higher in vaccinated&lt;/p&gt;
&lt;p&gt;• Ear Pain – 3.4× higher&lt;/p&gt;
&lt;p&gt;• Otitis Media (Ear Infections) – 2.9× higher&lt;/p&gt;
&lt;p&gt;• Conjunctivitis – 2.4× higher&lt;/p&gt;
&lt;p&gt;• Eye Disorders (Other) – 1.8× higher&lt;/p&gt;
&lt;p&gt;• Asthma – 5.2× higher&lt;/p&gt;
&lt;p&gt;• Allergic Rhinitis (Hay Fever) – 6.9× higher&lt;/p&gt;
&lt;p&gt;• Sinusitis – 4.3× higher&lt;/p&gt;
&lt;p&gt;• Breathing Issues – 2.9× higher&lt;/p&gt;
&lt;p&gt;• Anemia – 5.5× higher&lt;/p&gt;
&lt;p&gt;• Eczema – 4.5× higher&lt;/p&gt;
&lt;p&gt;• Urticaria (Hives) – 2.1× higher&lt;/p&gt;
&lt;p&gt;• Dermatitis – 1.4× higher&lt;/p&gt;
&lt;p&gt;• Behavioral Issues – 4.1× higher&lt;/p&gt;
&lt;p&gt;• Gastroenteritis – 4.7× higher&lt;/p&gt;
&lt;p&gt;• Weight/Eating Disorders – 2.5× higher&lt;/p&gt;
&lt;p&gt;• ADHD – 0 cases in the unvaccinated group&lt;/p&gt;
&lt;p&gt;(Data based on how often children visited the doctor for each condition)&lt;/p&gt;
&lt;p&gt;Instead of investigating his findings, the Oregon Medical Board suspended Dr. Thomas&apos;s license just days after his study was published. Months later, the study was retracted.&lt;/p&gt;
&lt;p&gt;This set the stage for the recurring problem behind the vax vs. unvax dilemma: these studies weren&apos;t rejected for weak data — they were rejected because the data was unwelcome. Time and again, the findings were dismissed simply because they didn&apos;t come from top-tier institutions or appear in major medical journals.&lt;/p&gt;
&lt;p&gt;That reality led Bigtree to recruit Dr. Marcus Zervos to run such a study. Dr. Zervos was one of the leading infectious disease doctors in the country, and Henry Ford Health was a respected medical center with one of the nation&apos;s largest patient databases.&lt;/p&gt;
&lt;p&gt;Bigtree saw Dr. Zervos as the perfect candidate to conduct a large-scale vax vs. unvax study that could track children over time. He told Dr. Zervos this was his opportunity to prove the anti-vaxxers wrong — an angle that convinced him to take on the study.&lt;/p&gt;
&lt;p&gt;Dr. Zervos agreed, and the study was completed in 2020. As Bigtree anticipated, the results were devastating for the vaccinated — but there was one major problem: Dr. Zervos chose not to publish the study.&lt;/p&gt;
&lt;p&gt;In 2022, Bigtree convinced Dr. Zervos to sit down and explain why. Knowing the importance of the moment, he recorded the conversation on hidden camera.&lt;/p&gt;
&lt;p&gt;There, Dr. Zervos openly admitted on tape why he chose not to publish the data. He said bluntly, &quot;Publishing something like that, I might as well retire. I&apos;d be finished.&quot;&lt;/p&gt;
&lt;p&gt;Here&apos;s what the study revealed:&lt;/p&gt;
&lt;p&gt;• Vaccinated children were 4.29 times more likely to have asthma.&lt;/p&gt;
&lt;p&gt;• Three times higher risk for atopic diseases (like eczema).&lt;/p&gt;
&lt;p&gt;• Nearly six times higher risk for autoimmune disorders — a category that includes over 80 different diseases.&lt;/p&gt;
&lt;p&gt;• 5.5 times higher risk for neurodevelopmental disorders.&lt;/p&gt;
&lt;p&gt;• 2.9 times more motor disabilities.&lt;/p&gt;
&lt;p&gt;• 4.5 times more speech disorders.&lt;/p&gt;
&lt;p&gt;• Three times more developmental delays.&lt;/p&gt;
&lt;p&gt;• Six times more acute and chronic ear infections.&lt;/p&gt;
&lt;p&gt;• In nearly 2,000 unvaccinated children, there were zero cases of ADHD, diabetes, behavioral problems, learning disabilities, intellectual disabilities, tics, or other psychological disorders.&lt;/p&gt;
&lt;p&gt;• The study&apos;s conclusion is devastating. It states: &quot;[I]n contrast to our expectations, we found that exposure to vaccination was independently associated with an overall 2.5-fold INCREASE in the likelihood of developing a chronic health condition when compared to children unexposed to vaccination.&quot;&lt;/p&gt;
&lt;p&gt;The film also highlighted a revealing graph that mirrors national data showing 54% of American children have at least one chronic condition.&lt;/p&gt;
&lt;p&gt;Vaccinated kids: 57% chance of developing a chronic disease in the first 10 years of life.&lt;/p&gt;
&lt;p&gt;Unvaccinated kids: Only 17%.&lt;/p&gt;
&lt;p&gt;In simpler terms, the study showed that children who are vaccinated are more than three times more likely to have a chronic disease than unvaccinated children after a 10-year period.&lt;/p&gt;
&lt;p&gt;That&apos;s a result Bigtree says &quot;should shock everyone.&quot;&lt;/p&gt;
&lt;p&gt;.................&lt;/p&gt;
&lt;p&gt;See also:&lt;/p&gt;
&lt;p&gt;Impact of Childhood Vaccination on Short and Long-Term Chronic Health Outcomes in Children:
A Birth Cohort Study &lt;a href=&quot;https://www.sunfellow.com/wp-content/uploads/2025/10/Entered-into-hearing-record-Impact-of-Childhood-Vaccination-on-Short-and-Long-Term-Chronic-Health-Outcomes-in-Children-A-Birth-Cohort-Study.pdf&quot;&gt;https://www.sunfellow.com/wp-content/uploads/2025/10/Entered-into-hearing-record-Impact-of-Childhood-Vaccination-on-Short-and-Long-Term-Chronic-Health-Outcomes-in-Children-A-Birth-Cohort-Study.pdf&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Fact-Check: Debunking the Top Myths Around Viral “Vaccine Study” (Henry Ford Health)
&lt;a href=&quot;https://www.henryford.com/news/2025/09/henry-ford-health-vaccine-study-fact-check&quot;&gt;https://www.henryford.com/news/2025/09/henry-ford-health-vaccine-study-fact-check&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Sunfellow Vaccination Resource Page
&lt;a href=&quot;https://sunfellow.com/vaccination-resource-page/&quot;&gt;https://sunfellow.com/vaccination-resource-page/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;COVID-19 Vaccines For Children (&amp;amp; Childhood Vaccines In General) Rumble Playlist
&lt;a href=&quot;https://rumble.com/playlists/A87UF7Dy_Qc&quot;&gt;https://rumble.com/playlists/A87UF7Dy_Qc&lt;/a&gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Taking advantage of the Bills of Exchange Act</title><link>https://1934.date/posts/mikeholtshow</link><guid isPermaLink="true">https://1934.date/posts/mikeholtshow</guid><description>Mike Holt has been challenging the system for many years, especially when it comes to dealing with utility bills and government demands.</description><pubDate>Sat, 25 Oct 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Taking advantage of the Bills of Exchange Act
&lt;a href=&quot;https://www.youtube.com/watch?v=xl63IqETCGI&quot;&gt;https://www.youtube.com/watch?v=xl63IqETCGI&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Why Working Hard Is the WORST Thing You Can Do — Machiavelli&lt;/p&gt;
&lt;p&gt;VULTUS
&lt;a href=&quot;https://www.youtube.com/watch?v=HNdOjlNUoBo&quot;&gt;https://www.youtube.com/watch?v=HNdOjlNUoBo&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Why Working Hard Is the WORST Thing You Can Do — Machiavelli
VULTUS
@VULTUS-US &lt;a href=&quot;https://www.youtube.com/@VULTUS-US&quot;&gt;https://www.youtube.com/@VULTUS-US&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;VULTUS&lt;/p&gt;
&lt;p&gt;YOUR BILLS ARE PREPAID AND CONTAIN A CHECK 💸
&lt;a href=&quot;https://www.youtube.com/watch?v=utfU2UAUoMs&quot;&gt;https://www.youtube.com/watch?v=utfU2UAUoMs&lt;/a&gt;
The Freedom Studio&lt;/p&gt;
&lt;p&gt;Paying bills with Bills of Exchange Act
Richard Vobes
&lt;a href=&quot;https://www.youtube.com/watch?v=kUd3XTXLUkw&quot;&gt;https://www.youtube.com/watch?v=kUd3XTXLUkw&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://cirnow.com.au/how-to-create-a-bill-of-exchange/&quot;&gt;https://cirnow.com.au/how-to-create-a-bill-of-exchange/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Paying bills with Bills of Exchange Act
Paying bills with Bills of Exchange Act&lt;/p&gt;
&lt;p&gt;Questions for your Insurance Company
&lt;a href=&quot;https://cirnow.com.au/questions-for-your-insurance-company/&quot;&gt;https://cirnow.com.au/questions-for-your-insurance-company/&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Taking advantage of the Bills of Exchange Act
Richard Vobes
&lt;a href=&quot;https://www.youtube.com/watch?v=xl63IqETCGI&quot;&gt;https://www.youtube.com/watch?v=xl63IqETCGI&lt;/a&gt;
Taking advantage of the Bills of Exchange Act
Richard Vobes&lt;/p&gt;
&lt;p&gt;94,377 views  16 Oct 2024  2024
Mike Holt has been challenging the system for many years, especially when it comes to dealing with utility bills and government demands. Having studied the Bills of Exchange Act, it is clear that paying off bills is far easier than we think. This is his second appearance on the show.&lt;/p&gt;
&lt;p&gt;Interview with Mike from earlier this year:    • Challenging the system in Australia&lt;/p&gt;
&lt;p&gt;LINKS:
&lt;a href=&quot;https://cirnow.com.au/how-to-create-a-bill-of-exchange/&quot;&gt;https://cirnow.com.au/how-to-create-a-bill-of-exchange/&lt;/a&gt;
&lt;a href=&quot;https://lipforms.com/&quot;&gt;https://lipforms.com/&lt;/a&gt;
&lt;a href=&quot;https://mikeholtshow.com/&quot;&gt;https://mikeholtshow.com/&lt;/a&gt;
Common Law: &lt;a href=&quot;https://commonlaw.earth/&quot;&gt;https://commonlaw.earth/&lt;/a&gt;
Common Law Education: &lt;a href=&quot;https://commonlaw.education/&quot;&gt;https://commonlaw.education/&lt;/a&gt;
Essential Information: &lt;a href=&quot;https://cirnow.com.au/&quot;&gt;https://cirnow.com.au/&lt;/a&gt;
The Mike Holt Show
&lt;a href=&quot;https://www.bitchute.com/channel/iMQmtT7SBDyw&quot;&gt;https://www.bitchute.com/channel/iMQmtT7SBDyw&lt;/a&gt;
Jacquie travels without a driver&apos;s licence
&lt;a href=&quot;https://www.bitchute.com/video/u63u1Jyl6mzZ&quot;&gt;https://www.bitchute.com/video/u63u1Jyl6mzZ&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;Prof David Stevens and Mike discuss freedom
&lt;a href=&quot;https://www.bitchute.com/video/GNpPp6GNtErS&quot;&gt;https://www.bitchute.com/video/GNpPp6GNtErS&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;We&apos;re Coming for You - By Mike Holt
&lt;a href=&quot;https://www.bitchute.com/video/H0lkmbG0uqvB&quot;&gt;https://www.bitchute.com/video/H0lkmbG0uqvB&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;The Battler and Glen chat about Mike&apos;s journey to awakening - Part 1
&lt;a href=&quot;https://www.bitchute.com/video/ASGaEQys7iiz&quot;&gt;https://www.bitchute.com/video/ASGaEQys7iiz&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;SiriusB
&lt;a href=&quot;https://x.com/SiriusBShaman&quot;&gt;https://x.com/SiriusBShaman&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;SiriusB: Taxes Converts a Person into a Tradeable Unit
&lt;a href=&quot;https://operationdisclosureofficial.com/2025/09/21/siriusb-taxes-converts-a-person-into-a-tradeable-unit/&quot;&gt;https://operationdisclosureofficial.com/2025/09/21/siriusb-taxes-converts-a-person-into-a-tradeable-unit/&lt;/a&gt;
&lt;a href=&quot;https://x.com/SiriusBShaman/status/1969814425772187881&quot;&gt;https://x.com/SiriusBShaman/status/1969814425772187881&lt;/a&gt;
&lt;a href=&quot;https://x.com/SiriusBShaman/status/1969814141436113313&quot;&gt;https://x.com/SiriusBShaman/status/1969814141436113313&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;SiriusB: Cabal TaxTheftion
&lt;a href=&quot;https://operationdisclosureofficial.com/2024/08/20/siriusb-cabal-taxtheftion/&quot;&gt;https://operationdisclosureofficial.com/2024/08/20/siriusb-cabal-taxtheftion/&lt;/a&gt;
&lt;a href=&quot;https://x.com/SiriusBShaman/status/1825834167323484445&quot;&gt;https://x.com/SiriusBShaman/status/1825834167323484445&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;You are not free.&lt;/p&gt;
&lt;p&gt;You awaken each morning in a cage made of permission, laboring beneath a calendar crafted by thieves. The so-called seven-day week is nothing but a mechanism of control, a rotation of servitude that keeps the masses obedient to the invisible whip. Two short days of simulated rest for every five of extraction. Every fifty cycles, two pitiful weeks of sanctioned breath, as if existence itself must be earned through exhaustion. This is not civilization. It is a plantation of the mind.
&lt;a href=&quot;https://x.com/SiriusBShaman/status/1981283579247124856&quot;&gt;https://x.com/SiriusBShaman/status/1981283579247124856&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;THE PARASITE CLASS&lt;/p&gt;
&lt;p&gt;Half of all workers produce nothing. They do not grow food, build homes, fix engines, heal patients, or generate power.&lt;/p&gt;
&lt;p&gt;They simply control those who do.&lt;/p&gt;
&lt;p&gt;These bloodsuckers include bankers, bureaucrats, regulators, auditors, insurance agents, tax collectors, compliance officers, and lawyers. They have built a self-perpetuating empire of paperwork. Each layer of complexity they create requires more of them to manage it.&lt;/p&gt;
&lt;p&gt;You log mileage in your own truck for your own business because seven different parasites need to justify their existence. This includes the tax collector, the auditor, the accountant, the IRS agent, the appeals officer, the lawyer, and the records administrator. None of them built your truck, paid for your fuel, or contributed anything to your work.
&lt;a href=&quot;https://x.com/SiriusBShaman/status/1981375030186369237&quot;&gt;https://x.com/SiriusBShaman/status/1981375030186369237&lt;/a&gt;&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Suneel Dhand MD</title><link>https://1934.date/posts/doctor</link><guid isPermaLink="true">https://1934.date/posts/doctor</guid><description>Why DOCTORS are DANGEROUS</description><pubDate>Wed, 26 Nov 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;&lt;a href=&quot;https://x.com/DrSuneelDhand&quot;&gt;Suneel Dhand MD @DrSuneelDhand&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=oj0xRMRMkrw&quot;&gt;OVER-60? THINK TWICE Before Saying YES To That PROCEDURE&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=kDC9NZo8Lqw&quot;&gt;Why DOCTORS are DANGEROUS Dr. Suneel Dhand&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=CLJ3Z_3EquU&quot;&gt;Are THEY NOT TELLING TRUTH About The FLU SHOT? Dr. Suneel Dhand&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=lM2dkBhwJLE&amp;amp;t=5s&quot;&gt;Why Are CARDIOLOGISTS So DAMN IGNORANT? &lt;/a&gt;&lt;/p&gt;
&lt;p&gt;&lt;a href=&quot;https://www.youtube.com/watch?v=6zhTVYYpOPc&quot;&gt;Why a 120/80 “Ideal” BLOOD PRESSURE is NONSENSE&lt;/a&gt;&lt;/p&gt;
&lt;p&gt;The future of humanity.
https://www.youtube.com/watch?v=ApB4naIwIhM
https://www.youtube.com/watch?v=ApB4naIwIhM
J P&lt;/p&gt;
&lt;p&gt;Discerning Organic ETs vs Synthetic ETs
https://www.youtube.com/watch?v=m-O8fmR-Sp4
https://www.youtube.com/watch?v=m-O8fmR-Sp4
Michael Salla&lt;/p&gt;
&lt;p&gt;What’s Really Happening at Dulce Base Is Worse Than You Think
https://www.youtube.com/watch?v=VraKcO02_CQ
https://www.youtube.com/watch?v=VraKcO02_CQ
UAMN TV&lt;/p&gt;
&lt;p&gt;Destruction of the Ukraine army accelerates, Weather extremes with the solar storms decimate earth
https://www.youtube.com/watch?v=o1oD3L_0v-k
https://www.youtube.com/watch?v=o1oD3L_0v-k
Michael Jaco&lt;/p&gt;
&lt;p&gt;Interstellar update: Classified Report: Decoding the Transmission from 3I Atlas:The Revelation:
https://www.youtube.com/watch?v=bZPDdfw2WGI
https://www.youtube.com/watch?v=bZPDdfw2WGI
THE REAL ISMAEL PEREZ&lt;/p&gt;
&lt;p&gt;Jet Fuel VS Diesel VS Gasoline how they burn and what color are they.
https://www.youtube.com/watch?v=7nL10C7FSbE
https://www.youtube.com/watch?v=7nL10C7FSbE
Just Think&lt;/p&gt;
&lt;p&gt;Draco Reptilians - Manipulators of Earth’s Social Structure, according to the Greys
https://rumble.com/v2qk2t0-draco-reptilians-manipulators-of-earths-social-structure-according-to-the-g.html
The_Matrix_Files&lt;/p&gt;
&lt;p&gt;RANDY CRAMER: U.S. MARINE – EARTH DEFENSE FORCE
KERRY CASSIDY SHOW
https://rumble.com/v70vfg2-randy-cramer-u.s.-marine-earth-defense-force.html?
RANDY CRAMER: U.S. MARINE – EARTH DEFENSE FORCE
KERRY CASSIDY SHOW&lt;/p&gt;
&lt;p&gt;PATRIOT STREETFIGHTER INTERVIEWS KERRY CASSIDY AND CANDIDATE PETE CHAMBERS
KERRY CASSIDY SHOW
https://rumble.com/v71ekfq-patriot-streetfighter-interviews-kerry-cassidy-and-candidate-pete-chambers.html?e9s=rel_v2_ep
https://rumble.com/v71ekfq-patriot-streetfighter-interviews-kerry-cassidy-and-candidate-pete-chambers.html?e9s=rel_v2_ep
PATRIOT STREETFIGHTER INTERVIEWS KERRY CASSIDY AND CANDIDATE PETE CHAMBERS
KERRY CASSIDY SHOW&lt;/p&gt;
&lt;p&gt;What’s Really Happening at Dulce Base Is Worse Than You Think&lt;/p&gt;
&lt;p&gt;UAMN TV
https://www.youtube.com/watch?v=VraKcO02_CQ
https://www.youtube.com/watch?v=VraKcO02_CQ
What’s Really Happening at Dulce Base Is Worse Than You Think&lt;/p&gt;
&lt;p&gt;UAMN TV&lt;/p&gt;
&lt;p&gt;Bob Lazar: Area 51 &amp;amp; Flying Saucers
Free with ads
G
YouTube Movies and TV
https://www.youtube.com/watch?v=uumavNrVPwg
https://www.youtube.com/watch?v=uumavNrVPwg
Bob Lazar: Area 51 &amp;amp; Flying Saucers
Free with ads
G
YouTube Movies and TV&lt;/p&gt;
&lt;p&gt;Eisenhower&apos;s &quot;Military-Industrial Complex&quot; Speech Origins and Significance&lt;/p&gt;
&lt;p&gt;US National Archives
https://www.youtube.com/watch?v=Gg-jvHynP9Y
https://www.youtube.com/watch?v=Gg-jvHynP9Y
Eisenhower&apos;s &quot;Military-Industrial Complex&quot; Speech Origins and Significance&lt;/p&gt;
&lt;p&gt;US National Archives&lt;/p&gt;
&lt;p&gt;Joe Rogan Experience #1315 - Bob Lazar &amp;amp; Jeremy Corbell&lt;/p&gt;
&lt;p&gt;PowerfulJRE
https://www.youtube.com/watch?v=BEWz4SXfyCQ&amp;amp;t=1239s
https://www.youtube.com/watch?v=BEWz4SXfyCQ&amp;amp;t=1239s
Joe Rogan Experience #1315 - Bob Lazar &amp;amp; Jeremy Corbell&lt;/p&gt;
&lt;p&gt;PowerfulJRE&lt;/p&gt;
&lt;p&gt;BOB LAZAR : OFFICIAL Q&amp;amp;A : AREA 51 &amp;amp; FLYING SAUCERS
https://www.youtube.com/watch?v=Zx0xQH8zh94
https://www.youtube.com/watch?v=Zx0xQH8zh94
Jeremy Corbell&lt;/p&gt;
&lt;p&gt;Former vice president at Pfizer, Dr. Mike Yeadon:
https://x.com/BasedJess05/status/1989125809605407001
https://x.com/BasedJess05/status/1989125809605407001
Former vice president at Pfizer, Dr. Mike Yeadon:&lt;/p&gt;
&lt;p&gt;A.I predicts the timeline from 2026 to 2033…
https://x.com/vegastarr/status/1989018843465830590
https://x.com/vegastarr/status/1989018843465830590
A.I predicts the timeline from 2026 to 2033…&lt;/p&gt;
&lt;p&gt;SEAL Jokingly Asked For the Old Veteran&apos;s Rank — Until His Reply Made the Entire Mess Hall Freeze&lt;/p&gt;
&lt;p&gt;Veterans Valor
https://www.youtube.com/watch?v=uzFH5alFGUw
https://www.youtube.com/watch?v=uzFH5alFGUw
SEAL Jokingly Asked For the Old Veteran&apos;s Rank — Until His Reply Made the Entire Mess Hall Freeze&lt;/p&gt;
&lt;p&gt;Veterans Valor&lt;/p&gt;
&lt;p&gt;Cadets Put a Gun to the Old Veteran&apos;s Head — And Learned Why You Never Threaten a US Marine Legend&lt;/p&gt;
&lt;p&gt;Veterans Valor
https://www.youtube.com/watch?v=O1q8Vl91bTM
https://www.youtube.com/watch?v=O1q8Vl91bTM
Cadets Put a Gun to the Old Veteran&apos;s Head — And Learned Why You Never Threaten a US Marine Legend&lt;/p&gt;
&lt;p&gt;Veterans Valor&lt;/p&gt;
&lt;p&gt;Airmen Grabbed the Wrong Old Man at the Base — They Had No Idea He Was a Legendary Veteran&lt;/p&gt;
&lt;p&gt;Veterans Valor
https://www.youtube.com/watch?v=o9P-hnEexv0
https://www.youtube.com/watch?v=o9P-hnEexv0
Airmen Grabbed the Wrong Old Man at the Base — They Had No Idea He Was a Legendary Veteran&lt;/p&gt;
&lt;p&gt;Veterans Valor&lt;/p&gt;
&lt;p&gt;Reptilians hidden in plain sight
https://x.com/JOKAQARMY1/status/1988999807449399386
https://x.com/JOKAQARMY1/status/1988999807449399386
Reptilians hidden in plain sight&lt;/p&gt;
&lt;p&gt;HUMANS vs REPTILIANS — THE HIDDEN WAR IN AMERICA’S VOTING SYSTEM 🚨
michaelj5326
https://rumble.com/v71t27y--humans-vs-reptilians-the-hidden-war-in-americas-voting-system-.html?e9s=src_v1_upp_a
https://rumble.com/v71t27y--humans-vs-reptilians-the-hidden-war-in-americas-voting-system-.html?e9s=src_v1_upp_a
HUMANS vs REPTILIANS — THE HIDDEN WAR IN AMERICA’S VOTING SYSTEM 🚨
michaelj5326&lt;/p&gt;
&lt;p&gt;The government is officially over
https://x.com/SisterCounselor/status/1989130173510480326
The government is officially over&lt;/p&gt;
&lt;p&gt;BREAKING: TRUMP SIGNS BILL ENDING LONGEST GOVERNMENT SHUTDOWN IN HISTORY&lt;/p&gt;
&lt;p&gt;BREAKING: TRUMP SIGNS BILL ENDING LONGEST GOVERNMENT SHUTDOWN IN HISTORY&lt;/p&gt;
&lt;p&gt;How to Destroy the Reptilian Agenda Through Consciousness w/Michael Jaco (Part 2)
https://www.youtube.com/watch?v=3X5ntFnproM&amp;amp;t=7s
Jay Campbell&lt;/p&gt;
&lt;p&gt;@morethanalegend
Pierce Brosnan through the years 🌟
Forever Young · Alphaville
https://www.youtube.com/shorts/VL5V1u_nF0o
https://www.youtube.com/shorts/VL5V1u_nF0o
@morethanalegend
Pierce Brosnan through the years 🌟
Forever Young · Alphaville&lt;/p&gt;
&lt;p&gt;David Wilcock explains why [they] openly tell us what they are doing to us.
https://x.com/redpillb0t/status/1990240906067452307
https://x.com/redpillb0t/status/1990240906067452307
David Wilcock explains why [they] openly tell us what they are doing to us.&lt;/p&gt;
&lt;p&gt;Ariel
@Prolotario1&lt;/p&gt;
&lt;p&gt;Med-Beds: Info/Intel (Cancer &amp;amp; Other Diseases) What We Should Know For Basic Medical Treatment
https://operationdisclosureofficial.com/2025/11/17/ariel-prolotario1-intel-on-med-beds-and-what-we-should-know-for-basic-medical-treatment/
https://operationdisclosureofficial.com/2025/11/17/ariel-prolotario1-intel-on-med-beds-and-what-we-should-know-for-basic-medical-treatment/
Ariel
@Prolotario1&lt;/p&gt;
&lt;p&gt;Med-Beds: Info/Intel (Cancer &amp;amp; Other Diseases) What We Should Know For Basic Medical Treatment&lt;/p&gt;
&lt;p&gt;“AI Just Decoded a 1920s Tesla Patent — It Wasn’t About Electricity at All”&lt;/p&gt;
&lt;p&gt;The Black Record
https://www.youtube.com/watch?v=D4M8NPgqsJ0
https://www.youtube.com/watch?v=D4M8NPgqsJ0
“AI Just Decoded a 1920s Tesla Patent — It Wasn’t About Electricity at All”&lt;/p&gt;
&lt;p&gt;The Black Record&lt;/p&gt;
&lt;p&gt;Ebans &amp;amp; the Tall Whites/Nordics - These Two Alien Species Ruled Earth? | Linda Moulton Howe
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S
https://rumble.com/v6xu2z8-ebans-and-the-tall-whitesnordics-these-two-alien-species-ruled-earth-linda-.html?e9s=src_v1_ucp_a
https://rumble.com/v6xu2z8-ebans-and-the-tall-whitesnordics-these-two-alien-species-ruled-earth-linda-.html?e9s=src_v1_ucp_a
Ebans &amp;amp; the Tall Whites/Nordics - These Two Alien Species Ruled Earth? | Linda Moulton Howe
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S&lt;/p&gt;
&lt;p&gt;There are shapeshifters and I believe they could perform for the elite on a stage like this
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S
https://rumble.com/v71qtvs-there-are-shapeshifters-and-i-believe-they-could-perform-for-the-elite-on-a.html?e9s=rel_v2_ep
https://rumble.com/v71qtvs-there-are-shapeshifters-and-i-believe-they-could-perform-for-the-elite-on-a.html?e9s=rel_v2_ep
There are shapeshifters and I believe they could perform for the elite on a stage like this
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S&lt;/p&gt;
&lt;p&gt;Are STARGATES &amp;amp; VORTEXES Found By AI Computer Tech?
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S
https://rumble.com/v6z7rys-are-stargates-and-vortexes-found-by-ai-computer-tech.html?e9s=rel_v2_ep
https://rumble.com/v6z7rys-are-stargates-and-vortexes-found-by-ai-computer-tech.html?e9s=rel_v2_ep
Are STARGATES &amp;amp; VORTEXES Found By AI Computer Tech?
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S&lt;/p&gt;
&lt;p&gt;There are four alien species here on Earth” – US Congressman speaks out
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S
https://rumble.com/v6y1ufe-there-are-four-alien-species-here-on-earth-us-congressman-speaks-out.html
https://rumble.com/v6y1ufe-there-are-four-alien-species-here-on-earth-us-congressman-speaks-out.html
There are four alien species here on Earth” – US Congressman speaks out
REPTOS, SHAPESHIFTERS, VRIL, GRAYS - ALIEN DOMINION - S&lt;/p&gt;
&lt;p&gt;Adrieiuous
https://www.youtube.com/playlist?list=PLzYNz5XDjz2Fbd1oHbKm1B9rEOr-BXpRM
https://www.youtube.com/playlist?list=PLzYNz5XDjz2Fbd1oHbKm1B9rEOr-BXpRM
Adrieiuous&lt;/p&gt;
&lt;p&gt;GoldFish Report No 60, A&apos;drie and Max: Life on Lyra and Eliam&lt;/p&gt;
&lt;p&gt;ahmet Akkaya
https://www.youtube.com/watch?v=mZEulmfxjpo
https://www.youtube.com/watch?v=mZEulmfxjpo
GoldFish Report No 60, A&apos;drie and Max: Life on Lyra and Eliam&lt;/p&gt;
&lt;p&gt;ahmet Akkaya&lt;/p&gt;
&lt;p&gt;GoldFish Report No. 54 The Ambassador Welcomes Area 51 Whistle Blower Capt. Max Steel&lt;/p&gt;
&lt;p&gt;The GoldFish Report No. 422: New Years Eve Livestream w/ A&apos;drieiuous&lt;/p&gt;
&lt;p&gt;The GoldFish Report
https://www.bitchute.com/video/dOsImXxJVoP4/
https://www.bitchute.com/video/dOsImXxJVoP4/
The GoldFish Report No. 422: New Years Eve Livestream w/ A&apos;drieiuous&lt;/p&gt;
&lt;p&gt;The GoldFish Report&lt;/p&gt;
&lt;p&gt;GoldFish Report No. 65 The Pleiadian Interview with COBRA and A&apos;drieiuous&lt;/p&gt;
&lt;p&gt;ahmet Akkaya
https://www.youtube.com/watch?v=YiC7Vb7GSDA
GoldFish Report No. 65 The Pleiadian Interview with COBRA and A&apos;drieiuous
20:00
ahmet Akkaya
GoldFish Report No. 65 The Pleiadian Interview with COBRA and A&apos;drieiuous&lt;/p&gt;
&lt;p&gt;THE REAL MEANING OF THE WIZARD OF OZ, WHAT THEY HID FROM YOU
https://x.com/BabyD1111229/status/1991174802795565242
https://x.com/BabyD1111229/status/1991174802795565242
THE REAL MEANING OF THE WIZARD OF OZ, WHAT THEY HID FROM YOU&lt;/p&gt;
&lt;p&gt;MICHAEL TSARION. PATHOLOGICAL WOMEN - The Dark Side of the Female Psyche&lt;/p&gt;
&lt;p&gt;Michael Tsarion Interviews
https://www.youtube.com/watch?v=meNfdZh2i_M
https://www.youtube.com/watch?v=meNfdZh2i_M
MICHAEL TSARION. PATHOLOGICAL WOMEN - The Dark Side of the Female Psyche&lt;/p&gt;
&lt;p&gt;Michael Tsarion Interviews&lt;/p&gt;
&lt;p&gt;Alien human hybrids in deep underground military bases in Antarctica?
Michael Jaco
https://www.youtube.com/watch?v=Fh4NpECRsek
https://www.youtube.com/watch?v=Fh4NpECRsek
Alien human hybrids in deep underground military bases in Antarctica?
Michael Jaco&lt;/p&gt;
&lt;p&gt;GENE DECODE - INTEL NO ONE HAS,UNTIL NOW!
2776 Views - 4 days ago
Channel
WEDONTBELIEVEUUNEEDMOREPEOPLE
https://www.bitchute.com/video/LuPw4HKhukwU
https://www.bitchute.com/video/LuPw4HKhukwU
https://www.bitchute.com/video/LuPw4HKhukwU
GENE DECODE - INTEL NO ONE HAS,UNTIL NOW!
2776 Views - 4 days ago
Channel
WEDONTBELIEVEUUNEEDMOREPEOPLE
605 Subscribers&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Hearing loss causes mental health issues</title><link>https://1934.date/posts/hearingloss</link><guid isPermaLink="true">https://1934.date/posts/hearingloss</guid><description>Yes, hearing loss significantly increases the risk of mental health issues like depression, anxiety, loneliness, and social isolation, as communication breakdowns lead to frustration, reduced self-esteem, and withdrawal from social life, with the brain working harder to process sound, potentially speeding cognitive decline and increasing dementia risk. Untreated hearing loss creates a cycle of stress and isolation, making mental health support crucial alongside hearing care</description><pubDate>Tue, 30 Dec 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Hearing loss causes mental health issues&lt;/p&gt;
&lt;p&gt;Starkey Evolv Ai Detailed Hearing Aid Review
https://1954.date/bluetooth/#evolv&lt;/p&gt;
&lt;p&gt;Yes, hearing loss significantly increases the risk of mental health issues like depression, anxiety, loneliness, and social isolation, as communication breakdowns lead to frustration, reduced self-esteem, and withdrawal from social life, with the brain working harder to process sound, potentially speeding cognitive decline and increasing dementia risk. Untreated hearing loss creates a cycle of stress and isolation, making mental health support crucial alongside hearing care.&lt;/p&gt;
&lt;p&gt;Common Mental Health Impacts:
Depression &amp;amp; Anxiety: Difficulty understanding conversations causes stress, frustration, helplessness, and withdrawal, directly linking to higher rates of these conditions.
Social Isolation &amp;amp; Loneliness: Inability to communicate effectively in groups leads to avoiding social events, causing profound loneliness.
Lower Self-Esteem: Struggling to keep up or miscommunicating can erode self-confidence and self-worth.
Cognitive Decline: The brain works harder to interpret sound, potentially &quot;stealing&quot; resources from other cognitive tasks, increasing risk for dementia.
Sleep Problems: Hearing loss can disrupt sleep, which further impacts mood and overall health.
The Cycle of Impact:
Communication Breakdown: You can&apos;t hear or understand speech well.
Withdrawal: You avoid noisy places or conversations to prevent stress.
Isolation &amp;amp; Frustration: You feel lonely, misunderstood, and helpless.
Mental Health Worsens: Depression, anxiety, and low self-esteem develop or worsen.
Key Takeaway:
Hearing loss isn&apos;t just about sound; it&apos;s about connection and cognitive function. Addressing hearing loss with treatments like hearing aids can significantly reduce psychological distress and improve overall well-being, making it a critical part of mental health care, notes https://www.ncbi.nlm.nih.gov/books/NBK207836/, says https://www.hearinghelpredcliffe.com.au/hearing/the-impact-of-hearing-loss-on-mental-health/, and is supported by https://www.anzmh.asn.au/blog/hearing-and-mental-health-establishing-the-connection.&lt;/p&gt;
&lt;p&gt;https://www.earscience.org.au/lions-hearing-clinic/impact-of-hearing-loss/&lt;/p&gt;
&lt;p&gt;https://focushearing.com.au/living-with-the-stress-caused-by-hearing-loss/&lt;/p&gt;
&lt;p&gt;Hearing loss and fatigue&lt;/p&gt;
&lt;p&gt;The hypervigilance and stress associated with hearing loss also increase fatigue. People with hearing loss must work much harder to follow conversations than people with normal hearing. This can make everyday activities such as going to work, social activities, or even the supermarket exhausting.&lt;/p&gt;
&lt;p&gt;https://focushearing.com.au/living-with-the-stress-caused-by-hearing-loss/&lt;/p&gt;
&lt;p&gt;Starkey Evolv Ai Detailed Hearing Aid Review
https://1954.date/bluetooth/#evolv&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Describing the severity of a hearing loss</title><link>https://1934.date/posts/degreeofhearingloss</link><guid isPermaLink="true">https://1934.date/posts/degreeofhearingloss</guid><description>Degree of Hearing Loss,Moderate to profound hearing loss describes significant difficulty hearing and understanding speech and sounds</description><pubDate>Wed, 31 Dec 2025 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Describing the severity of a hearing loss
moderate to profound hearing loss&lt;/p&gt;
&lt;p&gt;https://www.asha.org/public/hearing/degree-of-hearing-loss/?&lt;/p&gt;
&lt;p&gt;Moderate to profound hearing loss describes significant difficulty hearing and understanding speech and sounds, ranging from struggling with normal conversation (moderate, 41-70 dB) to only perceiving very loud sounds (profound, 81+ dB) without amplification, often requiring hearing aids, cochlear implants, and communication strategies like speechreading or sign language for connection.&lt;/p&gt;
&lt;p&gt;Understanding the Levels&lt;/p&gt;
&lt;p&gt;Hearing loss is measured in decibels (dB), indicating how loud sounds need to be for you to hear them.
Moderate: Normal conversation is difficult; quiet sounds are missed; requires amplification for clarity (41-70 dB range).
Severe: Little to no speech heard at normal levels; only loud sounds are audible; speech comprehension is impossible without aids (61-80 dB).
Profound: Hearing only very loud sounds or nothing at all; speech is not heard; reliance on visual cues like sign language or lip-reading.
Impact on Daily Life
Communication: Difficulty following conversations, especially in groups or noisy places.
Learning: Missed information in classes, smaller vocabulary, difficulty with speech sounds.
Awareness: May not hear environmental sounds like alarms or traffic.
Management &amp;amp; Solutions
Hearing Aids: Amplify sounds, crucial for moderate to severe loss, sometimes powerful ones for profound loss.
Cochlear Implants: Surgically implanted devices for profound loss when hearing aids aren&apos;t enough, bypassing damaged parts of the inner ear.
Assistive Listening Devices (ALDs): FM systems for quiet listening.
Communication Strategies: Speechreading (lip-reading), sign language, visual alerts.&lt;/p&gt;
&lt;p&gt;Degree of Hearing Loss
Not all hearing loss is the same. Treatment will depend on how serious your hearing loss is. Audiologists can help.
You go to the audiologist for a hearing test. You may be told that you have a mild hearing loss. Or, you may find out that your hearing loss is more severe. This description is referred to as “the degree of hearing loss.” It is based on how loud sounds need to be for you to hear them. Decibels, or dB, describe loudness. The term dB HL describes your hearing loss in decibels.&lt;/p&gt;
&lt;p&gt;The table below shows a common way to classify hearing loss.&lt;/p&gt;
&lt;p&gt;Degree of hearing loss	Hearing loss range (dB HL)
Normal	–10 to 15
Slight	16 to 25
Mild	26 to 40
Moderate	41 to 55
Moderately severe	56 to 70
Severe	71 to 90
Profound	91+
Source: Clark, J. G. (1981). Uses and abuses of hearing loss classification. Asha, 23, 493–500.
If you can only hear sounds when they are at 30 dB, you have a mild hearing loss. You have a moderate hearing loss if sounds are closer to 50 dB before you hear them. To find out how loud common sounds are, visit the noise page.&lt;/p&gt;
&lt;p&gt;Describing the severity of a hearing loss
https://www.aussiedeafkids.org.au/about-hearing-loss/hearing-loss/describing-the-severity-of-a-hearing-loss/
Moderate Hearing Loss (41-70dB)
A child with a moderate hearing loss will need to wear hearing aids to understand normal speech. Without hearing aids, the child will need to rely on speech reading cues. The level of concentration required to speechread is very difficult to maintain over long periods of time.&lt;/p&gt;
&lt;p&gt;Hearing aids make all sounds louder for the child, including background noise. Hearing aids work most effectively in quiet environments.&lt;/p&gt;
&lt;p&gt;How will this impact on learning?&lt;/p&gt;
&lt;p&gt;A child with a moderate hearing loss may:&lt;/p&gt;
&lt;p&gt;not hear important elements of a class discussion including key context and content without visual cues
have a smaller or more limited vocabulary than their same age peers
not hear all the sounds in a word, commonly leaving off ‘s’, ‘ing’ and ‘ed’ in their speech and their writing
have problems pronouncing some speech sounds
become very tired towards the end of sessions that have required intense concentration or were conducted in noisy environments
misinterpret what is said although they ‘hear’ the speaker (they know that someone said something but couldn’t hear clearly enough to understand what was said).&lt;/p&gt;
&lt;p&gt;https://www.aussiedeafkids.org.au/about-hearing-loss/hearing-loss/describing-the-severity-of-a-hearing-loss/
Describing the severity of a hearing loss&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Q Secret Military Op Completed 12.31.25!</title><link>https://1934.date/posts/q-military</link><guid isPermaLink="true">https://1934.date/posts/q-military</guid><description>Patriots, the moment we&apos;ve been waiting for has ARRIVED! On this historic New Year&apos;s Eve, December 31, 2025</description><pubDate>Wed, 07 Jan 2026 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Q Secret Military Op Completed 12.31.25!
https://sunnysjournal.com/2026/01/02/q-secret-military-op-completed-12-31-25/
https://roserambles.org/2026/01/01/bombshell-q-secret-military-op-completed-on-12-31-25-its-all-been-done-patriots-victory-is-here-january-1-2025/&lt;/p&gt;
&lt;p&gt;Patriots, the moment we&apos;ve been waiting for has ARRIVED! On this historic New Year&apos;s Eve, December 31, 2025&lt;/p&gt;
&lt;p&gt;Banks are freaking out – Silver Wars | @drue86
https://sunnysjournal.com/2026/01/02/banks-are-freaking-out-silver-wars-drue86/&lt;/p&gt;
&lt;p&gt;Operation Castle Rock | Paul White Gold Eagle
https://sunnysjournal.com/2026/01/01/operation-castle-rock-paul-white-gold-eagle/&lt;/p&gt;
&lt;p&gt;RED ALERT: THE VAULT DOORS ARE SLAMMING SHUT -- David Jensen
https://www.bitchute.com/video/PrH92Eie69D9
RED ALERT: THE VAULT DOORS ARE SLAMMING SHUT -- David Jensen&lt;/p&gt;
&lt;p&gt;The 7% Silver Surge That Froze Credit Markets
https://www.youtube.com/watch?v=9VBgx-HiRN0
The 7% Silver Surge That Froze Credit Markets&lt;/p&gt;
&lt;p&gt;COMEX Just Blinked: 4 Major Banks Just Quit Silver (Damage Is Done)
https://www.youtube.com/watch?v=bqVpwBqNXYU
COMEX Just Blinked: 4 Major Banks Just Quit Silver (Damage Is Done)&lt;/p&gt;
&lt;p&gt;MORGAN STANLEY MEMO LEAKED: Exit All Silver Positions Before Month End
https://www.youtube.com/watch?v=q0M8RwwUSjA
https://www.youtube.com/watch?v=q0M8RwwUSjA
MORGAN STANLEY MEMO LEAKED: Exit All Silver Positions Before Month End&lt;/p&gt;
&lt;p&gt;Morgan Stanley Leaked Silver Warning As Maduro&apos;s Silver Secret Comes Out
https://www.youtube.com/watch?v=UrepZyPciA4
https://www.youtube.com/watch?v=UrepZyPciA4
Morgan Stanley Leaked Silver Warning As Maduro&apos;s Silver Secret Comes Out&lt;/p&gt;
&lt;p&gt;IT HAPPENED: Venezuela Silver GONE - 847 Tons Vanish In 6 Hours (Russia + China Heist)
https://www.youtube.com/watch?v=Uc1Adgk9Czw
IT HAPPENED: Venezuela Silver GONE - 847 Tons Vanish In 6 Hours (Russia + China Heist)&lt;/p&gt;
&lt;p&gt;CHINESE SILVER WAR COMMENCES JANUARY 1
https://www.theburningplatform.com/2025/12/30/silver-wars-launch-january-1/
CHINESE SILVER WAR COMMENCES JANUARY 1&lt;/p&gt;
&lt;p&gt;January 7, 2026 – The End of the Old Financial World | Paul White Gold Eagle
https://sunnysjournal.com/2025/12/28/january-7-2026-the-end-of-the-old-financial-world-paul-white-gold-eagle/
https://sunnysjournal.com/2025/12/28/january-7-2026-the-end-of-the-old-financial-world-paul-white-gold-eagle/
https://sunnysjournal.com/2025/12/28/january-7-2026-the-end-of-the-old-financial-world-paul-white-gold-eagle/
January 7, 2026 – The End of the Old Financial World | Paul White Gold Eagle&lt;/p&gt;
&lt;p&gt;BENJAMIN FULFORD URGENT EMERGENCY UPDATE – JANUARY 3, 2026: DEEP STATE TRAITORS EXECUTED AT GITMO!
https://x.com/NesaraGesara0/status/2007526909073133861
https://x.com/NesaraGesara0/status/2007526909073133861
BENJAMIN FULFORD URGENT EMERGENCY UPDATE – JANUARY 3, 2026: DEEP STATE TRAITORS EXECUTED AT GITMO!&lt;/p&gt;
&lt;p&gt;TIME IS ENDING: Why 2026 Will Feel Like A Dream – January 1, 2026
https://roserambles.org/2026/01/01/time-is-ending-why-2026-will-feel-like-a-dream-january-1-2026/
TIME IS ENDING: Why 2026 Will Feel Like A Dream – January 1, 2026&lt;/p&gt;
&lt;p&gt;For five centuries – starting in the 1500s – physicians worldwide published case after case in medical journals showing that pure nicotine from the tobacco plant completely resolved every known form of cancer and tumor in their patients.
https://x.com/thehealthb0t/status/2007706753560129708
https://x.com/thehealthb0t/status/2007706753560129708&lt;/p&gt;
&lt;p&gt;HG health tips for the day. You&apos;re welcome, love you all.
https://x.com/Tallow_Ho/status/2007629039838867650
https://x.com/Tallow_Ho/status/2007629039838867650&lt;/p&gt;
&lt;p&gt;Banks Are Freaking Out – Silver Wars
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263541
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263541
https://sunnysjournal.com/2026/01/02/banks-are-freaking-out-silver-wars-drue86/
https://sunnysjournal.com/2026/01/02/banks-are-freaking-out-silver-wars-drue86/
Banks Are Freaking Out – Silver Wars
https://silverwars.org/
https://silverwars.org/
https://silverwars.org/&lt;/p&gt;
&lt;p&gt;https://x.com/SiriusBShaman
https://x.com/SiriusBShaman&lt;/p&gt;
&lt;p&gt;https://x.com/589bull10000
https://x.com/589bull10000
https://x.com/589bull10000&lt;/p&gt;
&lt;p&gt;https://x.com/tailwindcss
https://x.com/tailwindcss&lt;/p&gt;
&lt;p&gt;https://x.com/DerekVanSchaik
https://x.com/DerekVanSchaik
https://x.com/DerekVanSchaik&lt;/p&gt;
&lt;p&gt;https://x.com/DrSuneelDhand
https://x.com/DrSuneelDhand&lt;/p&gt;
&lt;p&gt;https://x.com/JoeTippen
https://x.com/JoeTippen
https://x.com/JoeTippen&lt;/p&gt;
&lt;p&gt;https://x.com/PapiTrumpo
https://x.com/PapiTrumpo&lt;/p&gt;
&lt;p&gt;His name was Dr. Otto Warburg. He won the Nobel Prize for discovering something that should have changed cancer treatment forever.
https://x.com/JoeTippen/status/2006400248768344086
https://x.com/JoeTippen/status/2006400248768344086&lt;/p&gt;
&lt;p&gt;Vaccine ingredients Exposed - Children&apos;s Health Defence &quot;CHD&quot;
https://www.brighteon.com/ae9cb8b4-93d3-4668-b27d-20bb40512579
https://www.brighteon.com/ae9cb8b4-93d3-4668-b27d-20bb40512579
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263500
Vaccine ingredients Exposed - Children&apos;s Health Defence &quot;CHD&quot;&lt;/p&gt;
&lt;p&gt;Verifiable Evidence: Nanotech Found Inside Human Bodies | Jessie Bertran
Sarah Westall
Sarah Westall
https://www.brighteon.com/03aa6938-e9ab-43fb-a94e-d30a2abcff74
https://www.brighteon.com/03aa6938-e9ab-43fb-a94e-d30a2abcff74
Verifiable Evidence: Nanotech Found Inside Human Bodies | Jessie Bertran
Sarah Westall
Sarah Westall&lt;/p&gt;
&lt;p&gt;Pfizer&apos;s DNA Plasmid Sequence Found in Diseased Skin of Man 3.6 Years After &quot;Vaccination&quot;
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263581
https://www.brighteon.com/b71bc0bc-065d-487b-8eac-a3b058cfe069
https://www.brighteon.com/b71bc0bc-065d-487b-8eac-a3b058cfe069
Pfizer&apos;s DNA Plasmid Sequence Found in Diseased Skin of Man 3.6 Years After &quot;Vaccination&quot;&lt;/p&gt;
&lt;p&gt;The Adverse Effects of Experimental Messenger RNA (mRNA) &quot;Vaccines&quot; a.k.a. Injections For COVID-19 (videos)
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263673
https://www.humorousmathematics.com/post/the-adverse-effects-of-experimental-messenger-rna-mrna-vaccines-a-k-a-injections-for-covid-19
https://www.humorousmathematics.com/post/the-adverse-effects-of-experimental-messenger-rna-mrna-vaccines-a-k-a-injections-for-covid-19
The Adverse Effects of Experimental Messenger RNA (mRNA) &quot;Vaccines&quot; a.k.a. Injections For COVID-19 (videos)&lt;/p&gt;
&lt;p&gt;Breaking: HHS Makes Sweeping Changes to Childhood Vaccine Schedule!
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263643
https://childrenshealthdefense.org/defender/hhs-sweeping-changes-childhood-vaccine-schedule-cdc/
https://childrenshealthdefense.org/defender/hhs-sweeping-changes-childhood-vaccine-schedule-cdc/
Breaking: HHS Makes Sweeping Changes to Childhood Vaccine Schedule!&lt;/p&gt;
&lt;p&gt;Strategy...
Shit rolls downhill...
clif high
https://clifhigh.substack.com/p/strategy
https://clifhigh.substack.com/p/strategy
Strategy...
Shit rolls downhill...
clif high&lt;/p&gt;
&lt;p&gt;Silver&apos;s Undeniable Future: 20X Silver &amp;amp; The Global Monetary Shift | Mike Maloney Silver&lt;/p&gt;
&lt;p&gt;Gold Silver Investing and Smart Stock Trading
https://www.youtube.com/watch?v=4WJkOVjnWhY
https://www.youtube.com/watch?v=4WJkOVjnWhY
Silver&apos;s Undeniable Future: 20X Silver &amp;amp; The Global Monetary Shift | Mike Maloney Silver&lt;/p&gt;
&lt;p&gt;Gold Silver Investing and Smart Stock Trading&lt;/p&gt;
&lt;p&gt;MONDAY MORNING SHOCK: Banks Refusing Physical Silver — Cash-Only Default Has Begun !&lt;/p&gt;
&lt;p&gt;MMA NEWS HUB
https://www.youtube.com/watch?v=biv0m8eGyxU
https://www.youtube.com/watch?v=biv0m8eGyxU
MONDAY MORNING SHOCK: Banks Refusing Physical Silver — Cash-Only Default Has Begun !&lt;/p&gt;
&lt;p&gt;MMA NEWS HUB&lt;/p&gt;
&lt;p&gt;$130 Silver in Tokyo CONFIRMED: Paper Price Collapse Exposes $50 Lie
https://www.youtube.com/watch?v=HfTP-6DvovI
Global Ledger
https://www.youtube.com/watch?v=HfTP-6DvovI
https://www.youtube.com/watch?v=HfTP-6DvovI
https://www.youtube.com/watch?v=HfTP-6DvovI
$130 Silver in Tokyo CONFIRMED: Paper Price Collapse Exposes $50 Lie&lt;/p&gt;
&lt;p&gt;Global Ledger&lt;/p&gt;
&lt;p&gt;https://citizenwatchreport.com/physical-silver-hits-nearly-130-in-japan-report/
PHYSICAL SILVER hits nearly $130 in Japan – report
https://citizenwatchreport.com/physical-silver-hits-nearly-130-in-japan-report/&lt;/p&gt;
&lt;p&gt;https://www.bullion-rates.com/silver/JPY/spot-price.htm
https://www.bullion-rates.com/silver/JPY/spot-price.htm&lt;/p&gt;
&lt;p&gt;Melbourne’s Housing Market is COLLAPSING – Will Mortgage Defaults SPREAD Across Australia?&lt;/p&gt;
&lt;p&gt;Australia Alert
https://www.youtube.com/watch?v=zBxG66R8iRk
https://www.youtube.com/watch?v=zBxG66R8iRk
Melbourne’s Housing Market is COLLAPSING – Will Mortgage Defaults SPREAD Across Australia?&lt;/p&gt;
&lt;p&gt;Australia Alert&lt;/p&gt;
&lt;p&gt;While You Watched Venezuela, Trump Quietly Put Canada On Notice
https://x.com/CaptKylePatriot/status/2008317674401526227
https://x.com/CaptKylePatriot/status/2008317674401526227&lt;/p&gt;
&lt;p&gt;https://www.prometheanaction.com/the-monday-brief-while-you-watched-venezuela-trump-quietly-put-canada-on-notice-january-5-2026/
https://www.prometheanaction.com/the-monday-brief-while-you-watched-venezuela-trump-quietly-put-canada-on-notice-january-5-2026/
While You Watched Venezuela, Trump Quietly Put Canada On Notice
https://x.com/PrometheanActn
https://x.com/PrometheanActn
https://x.com/PrometheanActn
While You Watched Venezuela, Trump Quietly Put Canada On Notice&lt;/p&gt;
&lt;p&gt;Promethean Updates
https://www.youtube.com/watch?v=OQ7UrtDjNao&amp;amp;t=1s
https://www.youtube.com/watch?v=OQ7UrtDjNao&amp;amp;t=1s
While You Watched Venezuela, Trump Quietly Put Canada On Notice&lt;/p&gt;
&lt;p&gt;Promethean Updates&lt;/p&gt;
&lt;p&gt;https://astroplate.netlify.app/
https://astroplate.netlify.app/
https://astroplate.netlify.app/
https://github.com/zeon-studio/astroplate
https://github.com/zeon-studio/astroplate
https://github.com/zeon-studio/astroplate&lt;/p&gt;
&lt;p&gt;https://www.digitalocean.com/community/tutorials/how-to-build-a-node-js-application-with-docker
https://www.digitalocean.com/community/tutorials/how-to-build-a-node-js-application-with-docker
https://www.digitalocean.com/community/tutorials/how-to-build-a-node-js-application-with-docker&lt;/p&gt;
&lt;p&gt;The blood tests are shocking🩸with or without
https://www.youtube.com/shorts/Q_f8bmT-0s4
https://www.youtube.com/shorts/Q_f8bmT-0s4
https://www.youtube.com/shorts/Q_f8bmT-0s4
The blood tests are shocking🩸with or without&lt;/p&gt;
&lt;p&gt;hen.... #shorts
A kitten FELL into the BLACK PANTHER&apos;S
https://www.youtube.com/shorts/XRD6eGkn2uk
https://www.youtube.com/shorts/XRD6eGkn2uk
hen.... #shorts
A kitten FELL into the BLACK PANTHER&apos;S&lt;/p&gt;
&lt;p&gt;J P
https://www.youtube.com/@JPjpJP1&lt;/p&gt;
&lt;p&gt;J P&lt;/p&gt;
&lt;p&gt;XRPQFSTeam2
https://www.youtube.com/@xrpqfs1776
https://www.youtube.com/@xrpqfs1776
XRPQFSTeam2&lt;/p&gt;
&lt;p&gt;“107 &amp;amp; CIA Med Beds Exposed?: 107, Venezuela Bombed... IS Colombia &amp;amp; Cuba on Deck?”
https://www.youtube.com/watch?v=E2XkfY_bBJg
https://www.youtube.com/watch?v=E2XkfY_bBJg
“107 &amp;amp; CIA Med Beds Exposed?: 107, Venezuela Bombed... IS Colombia &amp;amp; Cuba on Deck?”&lt;/p&gt;
&lt;p&gt;Why Arresting Maduro Was Legal, Lawful, and Long Overdue. ALEXANDER MUSE JAN 3
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263671
Why Arresting Maduro Was Legal, Lawful, and Long Overdue. ALEXANDER MUSE JAN 3&lt;/p&gt;
&lt;p&gt;Video: Stewart Swerdlow - 2026 The Year Everything Gets EXPOSED..Aliens, Arrests &amp;amp; Natural Disasters
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263679
https://www.rumormillnews.com/cgi-bin/forum.cgi?read=263679
https://www.youtube.com/watch?v=m3XEosEwAuY
https://www.youtube.com/watch?v=m3XEosEwAuY
Video: Stewart Swerdlow - 2026 The Year Everything Gets EXPOSED..Aliens, Arrests &amp;amp; Natural Disasters&lt;/p&gt;
&lt;p&gt;Astroplate - Free Starter Template Built with Astro 5 and TailwindCSS v4
https://astroplate.netlify.app/
https://astroplate.netlify.app/
https://astroplate.netlify.app/
https://github.com/zeon-studio/astroplate
https://github.com/zeon-studio/astroplate
https://sitepins.com/pricing
https://sitepins.com/pricing
https://sitepins.com/
https://docs.sitepins.com/guides/new-site/
https://docs.sitepins.com/guides/new-site/
Astroplate - Free Starter Template Built with Astro 5 and TailwindCSS v4
Astroplate - Free Starter Template Built with Astro 5 and TailwindCSS v4&lt;/p&gt;
&lt;p&gt;Q Secret Military Op Completed 12.31.25!&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>Autism Is Treatable!</title><link>https://1934.date/posts/autismistreatable</link><guid isPermaLink="true">https://1934.date/posts/autismistreatable</guid><description>Autism Is Treatable! Here&apos;s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt</description><pubDate>Sun, 11 Jan 2026 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Autism Is Treatable! Here&apos;s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt
https://odysee.com/@videoarchive:9/Autism-Is-Treatable!-Here&apos;s-the-Solution!-Big-Pharma-Is-Owned-by-the-Cabal--Dr.-Dietrich-Klinghardt:d
Autism Is Treatable! Here&apos;s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide Solution (CDS) for Health Maintenance: How to Make and Recommended Protocols
https://libertytv2.wordpress.com/chlorine-dioxide-solution-cds-for-health-maintenance-how-to-make-and-recommended-protocols/
https://odysee.com/@videoarchive:9/Autism-Is-Treatable!-Here&apos;s-the-Solution!-Big-Pharma-Is-Owned-by-the-Cabal--Dr.-Dietrich-Klinghardt:d&lt;/p&gt;
&lt;p&gt;https://libertytv2.wordpress.com/chlorine-dioxide-solution-cds-for-health-maintenance-how-to-make-and-recommended-protocols/
Chlorine Dioxide Solution (CDS) for Health Maintenance: How to Make and Recommended Protocols&lt;/p&gt;
&lt;p&gt;Have you seen this video ?
AutismOne 2014 - Andreas Kalcker - Successful Treatment of Autism (CDS)
https://www.brighteon.com/7d2d9c1a-c4ca-47bb-aadd-d2973b1d26d4&lt;/p&gt;
&lt;p&gt;AutismOne 2014 - Andreas Kalcker - Successful Treatment of Autism (CDS)
https://1954.date/autism/#autismone&lt;/p&gt;
&lt;p&gt;KERRI RIVERA INTERVIEWED ABOUT CHLORINE DIOXIDE VS. AUTISM WITH MIKE ADAMS (2020)
https://1954.date/autism/#rivera&lt;/p&gt;
&lt;p&gt;Mike Adams: Kerri Rivera interviewed about chlorine dioxide vs. autism, 2020(odysee.com)
https://1954.date/rivera/#odysee&lt;/p&gt;
&lt;p&gt;Health reform: Aluminum &amp;amp; other vaccine ingredients do enter the brain
https://www.brighteon.com/a1445473-67bb-4c01-8e0b-8072796aa562
https://www.brighteon.com/a1445473-67bb-4c01-8e0b-8072796aa562
Health reform: Aluminum &amp;amp; other vaccine ingredients do enter the brain&lt;/p&gt;
&lt;p&gt;Health reform: Barbara O&apos;Neill says childhood vaccines are childhood poisons
https://www.brighteon.com/a01f0f5a-4da5-443a-8a9a-80a01156f017
https://www.brighteon.com/a01f0f5a-4da5-443a-8a9a-80a01156f017
Health reform: Barbara O&apos;Neill says childhood vaccines are childhood poisons&lt;/p&gt;
&lt;p&gt;Kerri Rivera interviewed about chlorine dioxide vs. autism with Mike Adams (2020)
https://www.bitchute.com/video/Sap8Vsu2rsqi/
https://www.brighteon.com/93fc93ed-a975-4610-b1d0-a581214f807f
https://www.brighteon.com/93fc93ed-a975-4610-b1d0-a581214f807f
https://odysee.com/@Kerri-Rivera-Autism-Chlorine-Dioxide:7/Mike-Adams-Kerri-Rivera-interviewed-about-chlorine-dioxide-vs.-autism:a
https://odysee.com/@Kerri-Rivera-Autism-Chlorine-Dioxide:7/Mike-Adams-Kerri-Rivera-interviewed-about-chlorine-dioxide-vs.-autism:a&lt;/p&gt;
&lt;p&gt;Mike Adams: Kerri Rivera interviewed about chlorine dioxide vs. autism, 2020
Kerri Rivera, Autism, Chlorine Dioxide
https://odysee.com/@Kerri-Rivera-Autism-Chlorine-Dioxide:7
https://odysee.com/@Kerri-Rivera-Autism-Chlorine-Dioxide:7
Kerri Rivera, Autism, Chlorine Dioxide
Mike Adams: Kerri Rivera interviewed about chlorine dioxide vs. autism, 2020&lt;/p&gt;
&lt;p&gt;Autism can be Cured – How to use the Chlorine Dioxide Protocol to Recover Broken Lives
https://vaccineimpact.com/2019/autism-can-be-cured-how-to-use-the-chlorine-dioxide-protocol-to-recover-broken-lives/
https://vaccineimpact.com/2019/autism-can-be-cured-how-to-use-the-chlorine-dioxide-protocol-to-recover-broken-lives/
Autism can be Cured – How to use the Chlorine Dioxide Protocol to Recover Broken Lives&lt;/p&gt;
&lt;p&gt;Kerri Rivera &amp;amp; Dr Seneff: Chlorine Dioxide destroys Glyphosate, 2019
https://odysee.com/@Kerri-Rivera-Autism-Chlorine-Dioxide:7/Kerri-Rivera-and-Dr-Seneff-Chlorine-Dioxide-destroys-Glyphosate:9&lt;/p&gt;
&lt;p&gt;Kerri Rivera: Autism, Chlorine Dioxide, Parasites, Vaccinations, 2013(How many drops?)
https://odysee.com/@Kerri-Rivera-Autism-Chlorine-Dioxide:7/Kerri-Rivera-Autism-Chlorine-Dioxide-Parasites-Vaccinations:d&lt;/p&gt;
&lt;p&gt;&amp;lt;br&amp;gt; &amp;lt;a class=&quot;underline text-white bg-pink-700 font-bold text-justify hover:bg-pink-900&quot;
target=&quot;_blank&quot;
rel=&quot;noopener noreferrer&quot;
href=&quot;https://odysee.com/@Kerri-Rivera-Autism-Chlorine-Dioxide:7/Kerri-Rivera-Autism-Chlorine-Dioxide-Parasites-Vaccinations:d&quot;
&amp;gt;Kerri Rivera: Autism, Chlorine Dioxide, Parasites, Vaccinations, 2013(How many drops?)&amp;lt;/a&amp;gt;
&amp;lt;br&amp;gt;&lt;/p&gt;
&lt;p&gt;Kerri Rivera interviewed about chlorine dioxide vs. autism
Health Ranger Report
Health Ranger Report
https://www.brighteon.com/b18b1dac-513d-4f85-9b53-55fb00de832e
https://www.brighteon.com/b18b1dac-513d-4f85-9b53-55fb00de832e
https://www.brighteon.com/b18b1dac-513d-4f85-9b53-55fb00de832e
Kerri Rivera interviewed about chlorine dioxide vs. autism
Health Ranger Report
https://www.brighteon.com/b18b1dac-513d-4f85-9b53-55fb00de832e
https://www.brighteon.com/b18b1dac-513d-4f85-9b53-55fb00de832e
Health Ranger Report&lt;/p&gt;
&lt;p&gt;Kerri Rivera On Vaccines, Autism &amp;amp; Chlorine Dioxide
https://www.brighteon.com/176d160e-c946-4762-953d-3028f92fbad8
https://www.brighteon.com/176d160e-c946-4762-953d-3028f92fbad8
Kerri Rivera On Vaccines, Autism &amp;amp; Chlorine Dioxide&lt;/p&gt;
&lt;p&gt;https://kerririvera.com/
https://kerririvera.com/
https://kerririvera.com/&lt;/p&gt;
&lt;p&gt;Kerri Rivera
@kerririvera123
https://x.com/kerririvera123
https://x.com/kerririvera123
https://x.com/kerririvera123
Kerri Rivera
@kerririvera123&lt;/p&gt;
&lt;p&gt;Kerri Rivera: Autism is Not Forever - The Blueprint for Healing that Doctors Don&apos;t Know
https://odysee.com/@Truewholehuman:c/Kerri-interview-podcast-to-be-posted-odysee:c
https://odysee.com/@Truewholehuman:c/Kerri-interview-podcast-to-be-posted-odysee:c
Kerri Rivera: Autism is Not Forever - The Blueprint for Healing that Doctors Don&apos;t Know&lt;/p&gt;
&lt;p&gt;Autism Is Treatable! Here&apos;s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt
https://odysee.com/@videoarchive:9/Autism-Is-Treatable!-Here&apos;s-the-Solution!-Big-Pharma-Is-Owned-by-the-Cabal--Dr.-Dietrich-Klinghardt:d
Autism Is Treatable! Here&apos;s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt&lt;/p&gt;
&lt;p&gt;Autism Is Treatable! Here&apos;s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt
https://odysee.com/@videoarchive:9/Autism-Is-Treatable!-Here&apos;s-the-Solution!-Big-Pharma-Is-Owned-by-the-Cabal--Dr.-Dietrich-Klinghardt:d
Autism Is Treatable! Here&apos;s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide Solution (CDS) for Health Maintenance: How to Make and Recommended Protocols
https://libertytv2.wordpress.com/chlorine-dioxide-solution-cds-for-health-maintenance-how-to-make-and-recommended-protocols/&lt;/p&gt;
&lt;p&gt;HOME&lt;/p&gt;
&lt;p&gt;If you prefer the old version of BitChute, change the “www” in the video URL to “old.”&lt;/p&gt;
&lt;p&gt;Say ‘NO’ to VAX, Say ‘YES’ to CDS | Dr. Sherri Tenpenny w/ COMUSAV’s Andreas Kalcker &amp;amp; Tanya Carmona
https://www.bitchute.com/video/AtbdaWsmpWDl/&lt;/p&gt;
&lt;p&gt;Join COMUSAV’s International Doctors and Lawyers; Legalize CDS in Your Country to Treat Diseases
https://www.bitchute.com/video/jUHJopWW85YR/&lt;/p&gt;
&lt;p&gt;Remedy for Spike-Protein &amp;amp; Auto-Immune Diseases Caused by C19 Shot | Dr. Sherri Tenpenny &amp;amp; COMUSAV
https://www.bitchute.com/video/tNPMSIpb2gtl/&lt;/p&gt;
&lt;p&gt;Tanya Carmona Shows How to Prepare Protocol C10 | Dr. Andreas Kalcker Explains What Is CDS | COMUSAV
https://www.bitchute.com/video/odMynJJ0P4aK/&lt;/p&gt;
&lt;p&gt;Therapeutic Use &amp;amp; Legal Aspect of CDS (Chlorine Dioxide Solution) | COMUSAV &amp;amp; Attorney Patty Velasco
https://www.bitchute.com/video/4iTWAzdD2vp0/&lt;/p&gt;
&lt;p&gt;I’ve become a big fan of Chlorine Dioxide – Dr. Sherri Tenpenny | CDS: What &amp;amp; How to make? – COMUSAV
https://www.bitchute.com/video/ewPfPZspCUnl/&lt;/p&gt;
&lt;p&gt;CDS (Chlorine Dioxide Solution) Explained Clearly w/ Scientific Facts | Dr. Andreas Kalcker, COMUSAV
https://www.bitchute.com/video/PZUQRrwdtpEN/&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide – The Very Thing That God Is Using to Destroy the Deep State | Bob The Plumber Show
https://www.bitchute.com/video/cITxqpGRVpEt/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Andreas Kalcker – Chlorine Dioxide Solution Helps Reverse Vax-Induced Blood Clotting
https://www.bitchute.com/video/F8VxOzFZzjI4/&lt;/p&gt;
&lt;p&gt;COMUSAV – “Vaccine” Safety, Mortality and Efficacy | Are “Vaccines” Safe and Effective?
https://www.bitchute.com/video/H9FVH1L8eVWC/&lt;/p&gt;
&lt;p&gt;COMUSAV – Prophylactic and Therapeutic Management of COVID-19 with CDS (Chlorine Dioxide Solution)
https://www.bitchute.com/video/luFmGp5uLmL2/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Manuel Aparicio – Chlorine Dioxide Solution for COVID | AI (Anti-Inoculation) Protocol
https://www.bitchute.com/video/imCAh147IidI/&lt;/p&gt;
&lt;p&gt;COMUSAV – Healing Autism Spectrum Disorder with Chlorine Dioxide and Proper Diet – Testimonies
https://www.bitchute.com/video/k1qEmoxrcvfb/&lt;/p&gt;
&lt;p&gt;Autism Is Treatable! Here’s the Solution! Big Pharma Is Owned by the Cabal | Dr. Dietrich Klinghardt
https://www.bitchute.com/video/scTQTY3GXv3t/&lt;/p&gt;
&lt;p&gt;World Council for Health – Dr. Manual Aparicio on the Use of Chlorine Dioxide Solution Post-Jab
https://www.bitchute.com/video/3UnpbtPc52Ky/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Andreas Kalcker – Chlorine Dioxide Denatures Spike Protein From COVID/Graphene “Vaccine”
https://www.bitchute.com/video/LXprZCCFXI7D/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Pedro Chavez – Chlorine Dioxide Solution, N-Acetyl Cysteine &amp;amp; Zeolite For Vax Detox (1)
https://www.bitchute.com/video/pfMVn06yQqiv/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Pedro Chavez – Chlorine Dioxide Solution, N-Acetyl Cysteine &amp;amp; Zeolite For Vax Detox (2)
https://www.bitchute.com/video/tiTlCsRGGDXc/&lt;/p&gt;
&lt;p&gt;COMUSAV Scientists, Doctors, Lawyers Fighting The Cabal &amp;amp; Graphene Agenda With Chlorine Dioxide
https://www.bitchute.com/video/O01JGEXHnOwH/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Pedro Chavez – Dangers Of EMF, Graphene Vaccines, Magnetic Humans, Detox Protocols
https://www.bitchute.com/video/oEUrbMsFNZtF/&lt;/p&gt;
&lt;p&gt;COMUSAV Q &amp;amp; A Session On Chlorine Dioxide Solution For COVID-19 (Caused By Virus/Graphene/EMF)
https://www.bitchute.com/video/bFsDdeiYNtJh/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. M. Aparicio Explains The Scientific Efficiency Of Chlorine Dioxide Solution For COVID-19
https://www.bitchute.com/video/PM4lGrrLj6e9/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Andreas Kalcker Tells Why Chlorine Dioxide Works For CV19 (Caused by Virus/Graphene/EMF)
https://www.bitchute.com/video/crpW214AZx6A/&lt;/p&gt;
&lt;p&gt;COMUSAV: How To Make/Use Chlorine Dioxide Solution For COVID (Caused By Microbes/Graphene/Radiation)
https://www.bitchute.com/video/ncQ1Wk392pZs/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Andreas Kalcker – CDS Is Effective Against Magnetism Induced By Graphene Oxide Vaccines
https://www.bitchute.com/video/QGxMpDOFVwp6/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Manuel Aparicio – High Success Rate Of Chlorine Dioxide Solution Against Covid-19
https://www.bitchute.com/video/GdyH2dvrnj7f/&lt;/p&gt;
&lt;p&gt;COMUSAV Bob The Plumber – How Governments And Hospitals Are Hiding The Truth About Chlorine Dioxide
https://www.bitchute.com/video/omJOhYaOsDCQ/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Manuel Aparicio – Chlorine Dioxide Solution Has Saved Countless COVID-19 Patients
https://www.bitchute.com/video/jdihgqMPtR4Q/&lt;/p&gt;
&lt;p&gt;COMUSAV Is Fighting COVID-19 (Caused by Virus/Graphene Oxide/EMF) With Chlorine Dioxide Solution
https://www.bitchute.com/video/lbtXarnORKUd/&lt;/p&gt;
&lt;p&gt;COMUSAV Doctor Has Cured Thousands of COVID-19 Patients, Issues Warning About Graphene Oxide Jab
https://www.bitchute.com/video/Yy1Tg8ZwPEJJ/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Manuel Aparicio – How Chlorine Dioxide Solution Fights Off COVID-19 Efficiently
https://www.bitchute.com/video/qByOyBiWUyR8/&lt;/p&gt;
&lt;p&gt;Girl With Stage IV Ovary Cancer Heals Herself At Home With Intravenous Chlorine Dioxide Solution
https://www.bitchute.com/video/JhJrJsHZbBRn/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Pedro And Dr. Andreas – The Magnetic Effect Of Graphene Oxide In Covid-19 Vaccines
https://www.bitchute.com/video/xg4bBcjQZKna/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Manuel Aparicio (Red Pill Expo): Chlorine Dioxide Solution Is Highly Effective For COVID
https://www.bitchute.com/video/WY020p7gskID/&lt;/p&gt;
&lt;p&gt;COMUSAV Marien Barrientos Teaches How To Use Chlorine Dioxide Solution To Prevent Covid-19 / Hypoxia
https://www.bitchute.com/video/bhnIhDKOMquT/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Andreas Kalcker – Use Chlorine Dioxide For COVID-19: Blood Clots/Hypoxia/Graphene/5G EMF
https://www.bitchute.com/video/bDqE9D0yuNSG/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Andreas Kalcker – The Research and Development of Chlorine Dioxide as a Medicine
https://www.bitchute.com/video/U7dJZSeC7Mwo/&lt;/p&gt;
&lt;p&gt;COMUSAV – Questions and Answers – COVID-19 Treatment With Chlorine Dioxide Solution (CDS)
https://www.bitchute.com/video/3ur5RnaoSZ7z/&lt;/p&gt;
&lt;p&gt;COMUSAV – Dr. Eduardo Insignares – The scientific research of CDS for treating COVID-19
https://www.bitchute.com/video/GrPNFw7DnzLo/&lt;/p&gt;
&lt;p&gt;COMUSAV – Dr. Antonio Ani Vilchez – The Human Rights of Patients from a Medical-Legal Perspective
https://www.bitchute.com/video/u2pO7z2E1U2n/&lt;/p&gt;
&lt;p&gt;COMUSAV – Dr. Martin Ramirez – What are Chlorine Dioxide (ClO2) and Chlorine Dioxide Solution (CDS)?
https://www.bitchute.com/video/NuRhTSRTMkmw/&lt;/p&gt;
&lt;p&gt;COMUSAV – Dr. Patricia Callisperis – The successful treatment of COVID-19 with CDS in Bolivia
https://www.bitchute.com/video/BkPQW9Uv9IMU/&lt;/p&gt;
&lt;p&gt;COMUSAV – Dr. Pedro Chavez – How to treat COVID-19 with Chlorine Dioxide (ClO2) – Part 1
https://www.bitchute.com/video/eSF8X150bi68/&lt;/p&gt;
&lt;p&gt;COMUSAV – Dr. Pedro Chavez – How to treat COVID-19 with Chlorine Dioxide Solution (CDS) – Part 2
https://www.bitchute.com/video/RTajtvIcf9OL/&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide for Treating Diseases &amp;amp; the Jabbed | Dr. Sigoloff w/ Dr. Manuel Aparicio of COMUSAV
https://www.bitchute.com/video/sAGLLxWn3ynY/&lt;/p&gt;
&lt;p&gt;COMUSAV Dr. Manuel Aparicio – Chlorine Dioxide Solution And Ivermectin Are Effective For Covid-19
https://www.bitchute.com/video/dCL9Qrqr8eIG/&lt;/p&gt;
&lt;p&gt;COMUSAV – Dr. Manuel Aparicio – How to treat COVID-19 with Chlorine Dioxide Solution (CDS)
https://www.bitchute.com/video/Qd4DLVA0T76K/&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide Solution for Covid-19, Clot Shot &amp;amp; Detox | TP Kalina Lux w/ Dr. Andreas Kalcker
https://www.bitchute.com/video/nNeFKbvPkliB/&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide Solution for Covid-19, Clot Shot &amp;amp; Detox | RN Grace Asagra w/ Dr. Andreas Kalcker
https://www.bitchute.com/video/cHD9D206UDwE/&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide Solution for Covid-19, Clot Shot &amp;amp; Detox | Charlie Ward Show w/ Dr. Andreas Kalcker
https://www.bitchute.com/video/DelDh1oGwtFs/&lt;/p&gt;
&lt;p&gt;Dr. Lee Merritt talks to COMUSAV on Chlorine Dioxide and Khazarian Cult behind race-targeted CV shot
https://www.bitchute.com/video/Ti3WKtQQ4DLF/&lt;/p&gt;
&lt;p&gt;Dr. Joe Nieusma – N-Acetyl Cysteine, Glutathione And Chlorine Dioxide Solution For Vax Detox
https://www.bitchute.com/video/OX9QfiDKqyzF/&lt;/p&gt;
&lt;p&gt;La Quinta Columna: N-Acetylcysteine (NAC) And Zinc Are Essential For Degrading The Graphene Oxide
https://www.bitchute.com/video/VOX8n6NS9aNU/&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide Oxygenates The Cells, Alkalinizes The Body, Decontaminates Heavy Metals/Graphene
https://www.bitchute.com/video/aNKNaLJyPMyN/&lt;/p&gt;
&lt;p&gt;This Is How Chlorine Dioxide Solution (CDS) Heals the Blood of the Vaxxed / Graphenated | COMUSAV
https://www.bitchute.com/video/iNJb3GTDGd8S/&lt;/p&gt;
&lt;p&gt;MEDIA BLACKOUT: Chlorine Dioxide Solution (CDS) for LNP/B- and EMR/F-Induced “Disease X” Symptoms
https://www.bitchute.com/video/JTc5jUS99a9S/&lt;/p&gt;
&lt;p&gt;Vax Detox – Eliminate Graphene, Aluminum, Spike Proteins, Toxins, And Parasites
https://www.bitchute.com/video/WMD8GbG4nQpU/&lt;/p&gt;
&lt;p&gt;The Bob the Plumber Show – How to Defeat the Cabal/NWO &amp;amp; COVID with Simple, Safe &amp;amp; Cheap CDS
https://www.bitchute.com/video/IgChYOj9Evyk/&lt;/p&gt;
&lt;p&gt;To Defeat the Cabal &amp;amp; Bankrupt Big Pharma, Ensure the Masses Worldwide Know How to Make &amp;amp; Use CDS
https://www.bitchute.com/video/5vWqCCltB5cH/&lt;/p&gt;
&lt;p&gt;Simple Way to Make 1 L of 3,000 ppm Chlorine Dioxide Solution; Follow COMUSAV Protocols | Simpleways
https://www.bitchute.com/video/jFL62hmdWxl8/&lt;/p&gt;
&lt;p&gt;Pfizer, Moderna, J&amp;amp;J, CanSino &amp;amp; Sputnik Vax Create Nanotech | Bob Sisson, Kerri Rivera, Pedro Chavez
https://www.bitchute.com/video/7udBfQDiurH5/&lt;/p&gt;
&lt;p&gt;Long COVID Is Similar to HIV Disease? What’s the Solution? The Solution Is Chlorine Dioxide Solution
https://www.bitchute.com/video/o5gXG425eb4y/&lt;/p&gt;
&lt;p&gt;Covid-Shot and Graphene Detox with EDTA | COMUSAV Bob Sisson &amp;amp; Marien Barrientos w/ Dr. Michael Roth
https://www.bitchute.com/video/XVIbdfXaa0LH/&lt;/p&gt;
&lt;p&gt;Presentation on Covid-Shot and Graphene Detox with EDTA | COMUSAV Tanya Carmona w/ Dr. Michael Roth
https://www.bitchute.com/video/TxIy9L1SV9Bb/&lt;/p&gt;
&lt;p&gt;Catherine Edwards Interviews Dr. Andreas Kalcker of COMUSAV about Chlorine Dioxide Solution (CDS)
https://www.bitchute.com/video/I05ribKhCHQ4/&lt;/p&gt;
&lt;p&gt;Dr. Tess Lawrie Interviews Dr. Andreas Kalcker of COMUSAV about Chlorine Dioxide Solution (CDS)
https://www.bitchute.com/video/uDXkpZPU1Gw9/&lt;/p&gt;
&lt;p&gt;CDS Was Used as a Cheap, Safe &amp;amp; Effective Antidote during the FIVEG-19 Democide (COVID-19 Plandemic)
https://www.bitchute.com/video/s1SJXAtP2hGu/&lt;/p&gt;
&lt;p&gt;Nicotine Destroys Microtech Chips in Dental Anesthetic! Is That Why They Restrict/Ban Smoking? | LQC
https://www.bitchute.com/video/3YhiEnxLXJar/&lt;/p&gt;
&lt;p&gt;The Depopulation, Transhuman/Mind-Control NWO Cabal Doesn’t Want Smokers to Know This about Nicotine
https://www.bitchute.com/video/FoAtNq75yHuZ/&lt;/p&gt;
&lt;p&gt;Dr. Marble: America’s blood supply is contaminated with spike protein! COMUSAV: We have the SOLUTION
https://www.bitchute.com/video/p7fR7w04b3uJ/&lt;/p&gt;
&lt;p&gt;KILL/CTRL ON DEMAND: They Inject Graphene to Turn Your Body into an Antenna | Dr Dietrich Klinghardt
https://www.bitchute.com/video/KeDTGMUO8uNX/&lt;/p&gt;
&lt;p&gt;They Damage Your Pineal Gland to Enslave You! Here’s the Likely Solution! | Dr. Dietrich Klinghardt
https://www.bitchute.com/video/rNLTB45tgHor/&lt;/p&gt;
&lt;p&gt;CDS Is a Big Pharma-Obliterating “Atomic Bomb” in the Hands of Regular Citizens! | Dr. D. Klinghardt
https://www.bitchute.com/video/EeVubBb4G5aV/&lt;/p&gt;
&lt;p&gt;Chlorine Dioxide Solution (CDS) for Health Maintenance: How to Make and Recommended Protocols
https://libertytv2.wordpress.com/chlorine-dioxide-solution-cds-for-health-maintenance-how-to-make-and-recommended-protocols/
https://odysee.com/@videoarchive:9/Autism-Is-Treatable!-Here&apos;s-the-Solution!-Big-Pharma-Is-Owned-by-the-Cabal--Dr.-Dietrich-Klinghardt:d&lt;/p&gt;
&lt;p&gt;https://libertytv2.wordpress.com/chlorine-dioxide-solution-cds-for-health-maintenance-how-to-make-and-recommended-protocols/
Chlorine Dioxide Solution (CDS) for Health Maintenance: How to Make and Recommended Protocols&lt;/p&gt;
&lt;p&gt;Just Three Drops - The Strange Story of MMS
https://odysee.com/@Motley%C2%A0doo:6/Just-Three-Drops---The-Strange-Story-of-MMS:6
https://odysee.com/@Motley%C2%A0doo:6/Just-Three-Drops---The-Strange-Story-of-MMS:6
Just Three Drops - The Strange Story of MMS&lt;/p&gt;
&lt;p&gt;Kerri Rivera interviewed about chlorine dioxide vs. autism with Mike Adams (2020)&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item><item><title>CANCER IS REALLY PARASITES</title><link>https://1934.date/posts/parasites</link><guid isPermaLink="true">https://1934.date/posts/parasites</guid><description>Joe Tippens Protocol - The hidden truth. How a cancer patient healed himself.</description><pubDate>Sat, 24 Jan 2026 00:00:00 GMT</pubDate><content:encoded>&lt;p&gt;Joe Tippens&apos; Protocol - The hidden truth. How a cancer patient healed himself.
DR. LEE MERRITT - CANCER IS REALLY PARASITES!&lt;/p&gt;
&lt;p&gt;https://mycancerstory.rocks/
https://mycancerstory.rocks/
https://mycancerstory.rocks/&lt;/p&gt;
&lt;p&gt;Joe Tippens&apos; Protocol - The hidden truth. How a cancer patient healed himself.
TalkToTheBody
https://rumble.com/v41hsh5-joe-tippens-protocol-the-hidden-truth.-how-a-cancer-patient-healed-himself..html
https://rumble.com/v41hsh5-joe-tippens-protocol-the-hidden-truth.-how-a-cancer-patient-healed-himself..html
Joe Tippens&apos; Protocol - The hidden truth. How a cancer patient healed himself.
TalkToTheBody&lt;/p&gt;
&lt;p&gt;Joe Tippens Protocol
https://joe-tippens-protocol.com/
https://mycancerstory.rocks/the-blog/
Joe Tippens Protocol&lt;/p&gt;
&lt;p&gt;NO CANCER FOR YOU! Joe Tippens&apos; amazing experience with Fenbendazole.
Chasing SHADOWS
Chasing SHADOWS
13 followers
https://www.brighteon.com/860edff3-8848-4a8f-aa90-c26fe86e5f84
https://www.brighteon.com/860edff3-8848-4a8f-aa90-c26fe86e5f84
NO CANCER FOR YOU! Joe Tippens&apos; amazing experience with Fenbendazole.
Chasing SHADOWS
Chasing SHADOWS
13 followers&lt;/p&gt;
&lt;p&gt;DR. LEE MERRITT - CANCER IS REALLY PARASITES!
https://old.bitchute.com/video/CgkI920pqaH0/
https://old.bitchute.com/video/CgkI920pqaH0/
DR. LEE MERRITT - CANCER IS REALLY PARASITES!&lt;/p&gt;
&lt;p&gt;VIDEO PROOF: CANCER IS CAUSED BY PARASITES
https://odysee.com/@ForEverFree:3/CANCER-IS-CAUSED-BY-PARASITES:a
https://odysee.com/@ForEverFree:3/CANCER-IS-CAUSED-BY-PARASITES:a
VIDEO PROOF: CANCER IS CAUSED BY PARASITES&lt;/p&gt;
&lt;p&gt;Lyra Nara Inc: Cancer Is Caused By Parasites
https://www.brighteon.com/9d1f789c-aea7-42c6-98da-7ad9cb78d97c
https://www.brighteon.com/9d1f789c-aea7-42c6-98da-7ad9cb78d97c
Lyra Nara Inc: Cancer Is Caused By Parasites&lt;/p&gt;
&lt;p&gt;Dr. Lee Merritt&apos;s Insights on Cancer, Parasites, Spike Protein, Cysts
https://www.brighteon.com/20f2b060-c988-4ca8-a7cd-f086ee432899
Dr. Lee Merritt&apos;s Insights on Cancer, Parasites, Spike Protein, Cysts&lt;/p&gt;
&lt;p&gt;Cancer May Be Parasites -Dr. Lee Merritt.
https://www.bitchute.com/video/TOdmdQu0saEf/
Cancer May Be Parasites -Dr. Lee Merritt.(1:06:02)&lt;/p&gt;
&lt;p&gt;IS CANCER REALLY A PARASITE INFESTATION
https://odysee.com/@Lone_Wolf_On_A_Star:0/IS-CANCER-REALLY-A-PARASITE-INFESTATION:2
IS CANCER REALLY A PARASITE INFESTATION(MS)&lt;/p&gt;
&lt;p&gt;The intriguing link between parasites and diseases
https://odysee.com/@Anon:96/parasites_and_diseases:d
https://odysee.com/@Anon:96/parasites_and_diseases:d
The intriguing link between parasites and diseases&lt;/p&gt;
&lt;p&gt;The Link between Parasites And Cancer
https://odysee.com/@montysthinkingoutsidethebox:2/The-Link-between-Parasites-And-Cancer:a4
https://odysee.com/@montysthinkingoutsidethebox:2/The-Link-between-Parasites-And-Cancer:a4
The Link between Parasites And Cancer&lt;/p&gt;
&lt;p&gt;Dr. Hulda Clark: All human disease comes from only two causes - Parasites and Pollution (RIP)
https://odysee.com/@Anon:96/hulda_clark_zapper:4
https://odysee.com/@Anon:96/hulda_clark_zapper:4
Dr. Hulda Clark: All human disease comes from only two causes - Parasites and Pollution (RIP)&lt;/p&gt;
&lt;p&gt;Dr. Hulda Clark: The use of electricity to kill parasites and bacteria
https://odysee.com/@Anon:96/Hulda-Clarks-Zapper:9
https://odysee.com/@Anon:96/Hulda-Clarks-Zapper:9
Dr. Hulda Clark: The use of electricity to kill parasites and bacteria&lt;/p&gt;
&lt;p&gt;https://drjaneruby.podbean.com/e/dr-lee-merritt-cancer-tumors-are-parasites/&lt;/p&gt;
&lt;p&gt;Dr. Lee Merritt – SHOCK Discovery – Parasites: Cancer &amp;amp; Turbo Cancer Breakthrough
https://zeeemedia.com/interview/dr-lee-merritt-shock-discovery-parasites-cancer-turbo-cancer-breakthrough/
https://zeeemedia.com/interview/dr-lee-merritt-shock-discovery-parasites-cancer-turbo-cancer-breakthrough/
Dr. Lee Merritt – SHOCK Discovery – Parasites: Cancer &amp;amp; Turbo Cancer Breakthrough&lt;/p&gt;
&lt;p&gt;Self-Aware Organisms with Moving Tentacles Found in Moderna and J&amp;amp;J Vials in a U.S. Lab - Dr Carrie Madej Interview on the Stew Peters Show
https://odysee.com/@SpiritMedicine:e/Dr.-Carrie-Madej---First-U.S.-Lab-Examines-Vaccine-Vials,-HORRIFIC-Findings-Revealed:e
https://odysee.com/@SpiritMedicine:e/Dr.-Carrie-Madej---First-U.S.-Lab-Examines-Vaccine-Vials,-HORRIFIC-Findings-Revealed:e
Self-Aware Organisms with Moving Tentacles Found in Moderna and J&amp;amp;J Vials in a U.S. Lab - Dr Carrie Madej Interview on the Stew Peters Show&lt;/p&gt;
&lt;p&gt;Dr. Carrie Madej: What I Saw In The COVID Shots Appeared Self-Aware &amp;amp; Superconductive
https://odysee.com/@Setting-Brushfires:a/Dr.-Carrie-Madej-What-I-Saw-In-The-COVID-Shots-Appeared-Self-Aware---Superconductive:5
Dr. Carrie Madej: What I Saw In The COVID Shots Appeared Self-Aware &amp;amp; Superconductive&lt;/p&gt;
&lt;p&gt;Dr. Carrie Madej Took a Look at the Moderna, Pfizer, and J&amp;amp;J Shot Contents Under a Microscope ~ October 29, 2021
https://roserambles.org/2021/10/29/dr-carrie-madej-took-a-look-at-the-moderna-pfizer-and-jj-shot-contents-under-a-microscope-october-29-2021/
https://roserambles.org/2021/10/29/dr-carrie-madej-took-a-look-at-the-moderna-pfizer-and-jj-shot-contents-under-a-microscope-october-29-2021/
Dr. Carrie Madej Took a Look at the Moderna, Pfizer, and J&amp;amp;J Shot Contents Under a Microscope ~ October 29, 2021&lt;/p&gt;
&lt;p&gt;Four Deadly Parasites Found in Vaccines
https://elcolectivodeuno.wordpress.com/2021/10/25/four-deadly-parasites-found-in-vaccines/
Four Deadly Parasites Found in Vaccines&lt;/p&gt;
&lt;p&gt;Graphene in Vaccines - From Cancers Strokes Heart Attacks to Wireless Control - New Findings by La Quinta Columna - Grafen ve Vakcinach - Od Rakovin Srazenin Zastav srdci po Bezdratove ovladani - Nova Zjisteni z La quinta columna
https://odysee.com/@True_World:f/Graphene-in-Vaccines-From-Cancers-Strokes-Heart-Attacks-to-Wireless-Control-New-Findings-by-La-Quinta-Columna-Grafen-ve-Vakcinach-Od-Rakovin-Srazenin-Zastav-srdci-po-Bezdratove-ovladani-Nova-Zjisteni-z-La-quinta-columna:a&lt;/p&gt;
&lt;p&gt;Graphene in Vaccines - From Cancers Strokes Heart Attacks to Wireless Control - New Findings by La Quinta Columna - Grafen ve Vakcinach - Od Rakovin Srazenin Zastav srdci po Bezdratove ovladani - Nova Zjisteni z La quinta columna&lt;/p&gt;
&lt;p&gt;Dr. Franc Zalewski explains what he founds in the COVID vaccine (hrvatski prijevod/Croatian subtitles)
https://odysee.com/Dr.-Franc-Zalewski-explains-what-he-founds-in-the-COVID-vaccine:4
https://odysee.com/Dr.-Franc-Zalewski-explains-what-he-founds-in-the-COVID-vaccine:4
Dr. Franc Zalewski explains what he founds in the COVID vaccine (hrvatski prijevod/Croatian subtitles)&lt;/p&gt;
&lt;p&gt;FORBIDDEN CURES - Why is this &quot;universal antidote&quot; hidden from humanity?
https://odysee.com/@stopworldcontrol:7/FORBIDDEN-CURES-Why-is-this-universal-antidote-hidden-from-humanity:9
https://odysee.com/@stopworldcontrol:7/FORBIDDEN-CURES-Why-is-this-universal-antidote-hidden-from-humanity:9
FORBIDDEN CURES - Why is this &quot;universal antidote&quot; hidden from humanity?&lt;/p&gt;
&lt;p&gt;MAGA -MRNA Stop World Control -FL Surgeon General -Dr FUELLMICH 10-10-22
https://odysee.com/@PennieFay:c/MAGA--MRNA-Stop-World-Control--FL-Surgeon-General--Dr-FUELLMICH-10-10-22:7
https://odysee.com/@PennieFay:c/MAGA--MRNA-Stop-World-Control--FL-Surgeon-General--Dr-FUELLMICH-10-10-22:7
MAGA -MRNA Stop World Control -FL Surgeon General -Dr FUELLMICH 10-10-22&lt;/p&gt;
&lt;p&gt;What Would Happen If You Chewed ONE Clove Daily
https://odysee.com/@DrBerg:4/what-would-happen-if-you-chewed-one-2:d
https://odysee.com/@DrBerg:4/what-would-happen-if-you-chewed-one-2:d
What Would Happen If You Chewed ONE Clove Daily&lt;/p&gt;
&lt;p&gt;Dr. Hulda Clark - The cure for all deceases and black walnut hull to kill parasites!
https://odysee.com/@vivremieuxtv:4/dr.-hulda-clark-the-cure-for-all:1
https://odysee.com/@vivremieuxtv:4/dr.-hulda-clark-the-cure-for-all:1
Dr. Hulda Clark - The cure for all deceases and black walnut hull to kill parasites!&lt;/p&gt;
&lt;p&gt;NO CANCER FOR YOU! Joe Tippens&apos; amazing experience with Fenbendazole.
https://www.brighteon.com/860edff3-8848-4a8f-aa90-c26fe86e5f84
NO CANCER FOR YOU! Joe Tippens&apos; amazing experience with Fenbendazole.&lt;/p&gt;
&lt;p&gt;LOOK AT WHAT&apos;S REALLY INSIDE CANCER TUMORS - PARASITES
https://rumble.com/v6usz87-look-at-whats-really-inside-cancer-tumors-parasites-.html?
https://rumble.com/v6usz87-look-at-whats-really-inside-cancer-tumors-parasites-.html?
LOOK AT WHAT&apos;S REALLY INSIDE CANCER TUMORS - PARASITES&lt;/p&gt;
&lt;p&gt;Dr. Lee Merritt&apos;s Insights on Cancer, Parasites, Spike Protein, Cysts
https://www.brighteon.com/20f2b060-c988-4ca8-a7cd-f086ee432899
https://www.brighteon.com/20f2b060-c988-4ca8-a7cd-f086ee432899
Dr. Lee Merritt&apos;s Insights on Cancer, Parasites, Spike Protein, Cysts&lt;/p&gt;
&lt;p&gt;Joe Tippens Cancer Protocol
https://old.bitchute.com/video/8jHD5BL4Hn6G/
https://old.bitchute.com/video/8jHD5BL4Hn6G/
Joe Tippens Cancer Protocol&lt;/p&gt;
&lt;p&gt;https://old.bitchute.com/channel/spaceace/
https://old.bitchute.com/channel/spaceace/&lt;/p&gt;
&lt;p&gt;DANGERS of VACCINES Dr Larry Palevsky, MD . Testimony Connecticut 2/19/2020 ,
https://old.bitchute.com/video/eS8plQ2irvyG/
https://old.bitchute.com/video/eS8plQ2irvyG/
DANGERS of VACCINES Dr Larry Palevsky, MD . Testimony Connecticut 2/19/2020 ,&lt;/p&gt;
&lt;p&gt;Statins and Table Salt. We need cholesterol.
https://old.bitchute.com/video/XKRQOIGD8dmo/
https://old.bitchute.com/video/XKRQOIGD8dmo/
Statins and Table Salt. We need cholesterol.&lt;/p&gt;
&lt;p&gt;Joe Tippin&apos;s and cancer cures. Nobody has to die from cancer.
https://www.bitchute.com/video/RVJXJWaaDd7D
https://www.bitchute.com/video/RVJXJWaaDd7D
Joe Tippin&apos;s and cancer cures. Nobody has to die from cancer.&lt;/p&gt;
&lt;p&gt;Joe Tippins: cancer diagnosis and unbelievable cure
Awake Now
https://rumble.com/v6ei9gd-joe-tippins-cancer-diagnosis-and-unbelievable-cure.html
https://rumble.com/v6ei9gd-joe-tippins-cancer-diagnosis-and-unbelievable-cure.html
Joe Tippins: cancer diagnosis and unbelievable cure
Awake Now&lt;/p&gt;
&lt;p&gt;Joe Tippins beat cancer with unconventional methods
Awake Now
https://rumble.com/v6eianp-joe-tippins-beat-cancer-with-unconventional-methods.html?e9s=src_v1_cbl%2Csrc_v1_ucp_a
https://rumble.com/v6eianp-joe-tippins-beat-cancer-with-unconventional-methods.html?e9s=src_v1_cbl%2Csrc_v1_ucp_a
Joe Tippins beat cancer with unconventional methods
Awake Now&lt;/p&gt;
&lt;p&gt;Also see Professor Thomas Borody
https://1954.date/ivermectin/#borody
https://1954.date/ivermectin/#borody
Also see Professor Thomas Borody&lt;/p&gt;
&lt;p&gt;Pr Thomas Borody Interview
https://www.bitchute.com/video/dYxwncaRAibL/
https://www.bitchute.com/video/dYxwncaRAibL/
Pr Thomas Borody Interview&lt;/p&gt;
&lt;p&gt;Vale the heroic Australian professor Thomas Borody who defied Covid lies
https://cairnsnews.org/2025/10/09/vale-the-heroic-australian-professor-thomas-borody-who-defied-covid-lies/
Vale the heroic Australian professor Thomas Borody who defied Covid lies&lt;/p&gt;
&lt;p&gt;https://en.wikipedia.org/wiki/Thomas_Borody
https://en.wikipedia.org/wiki/Thomas_Borody&lt;/p&gt;
&lt;p&gt;Curing stomach ulcers
https://www.nhmrc.gov.au/about-us/resources/impact-case-studies-curing-stomach-ulcers
Curing stomach ulcers&lt;/p&gt;
&lt;p&gt;dmso with Guillain-Barre syndrome
https://privatedutycaregroup.com/dmso-the-hidden-cure-for-autoimmune-and-nerve-pain-you-need-to-know
https://privatedutycaregroup.com/dmso-the-hidden-cure-for-autoimmune-and-nerve-pain-you-need-to-know
dmso with Guillain-Barre syndrome&lt;/p&gt;
&lt;p&gt;Australia’s Monopoly Is Hidden in Plain Sight&lt;/p&gt;
&lt;p&gt;ColdFusion
https://www.youtube.com/watch?v=Za_R6h89iS8
https://www.youtube.com/watch?v=Za_R6h89iS8
Australia’s Monopoly Is Hidden in Plain Sight&lt;/p&gt;
&lt;p&gt;ColdFusion
Australia’s Monopoly Is Hidden in Plain Sight&lt;/p&gt;
&lt;p&gt;Australia is one of the most monopolistic countries in the developed world.
From banking, to air travel and groceries.
It&apos;s all controlled by a few giant corporations. But how bad is it and how did it get this way?
In this episode we take a look.&lt;/p&gt;
&lt;p&gt;Australia’s Monopoly Problem: Why We’re All Paying More&lt;/p&gt;
&lt;p&gt;Thought Digest Media
https://www.youtube.com/watch?v=4pNLcU0Tm6o
https://www.youtube.com/watch?v=4pNLcU0Tm6o
Australia’s Monopoly Problem: Why We’re All Paying More&lt;/p&gt;
&lt;p&gt;Thought Digest Media&lt;/p&gt;
&lt;p&gt;Australia&apos;s Rental Market IS COLLAPSING! Top 5 Cities Where Rent Is Out of Control&lt;/p&gt;
&lt;p&gt;Australian Hub
https://www.youtube.com/watch?v=l79XosCjyAI
https://www.youtube.com/watch?v=l79XosCjyAI
Australia&apos;s Rental Market IS COLLAPSING! Top 5 Cities Where Rent Is Out of Control&lt;/p&gt;
&lt;p&gt;Australian Hub&lt;/p&gt;
&lt;p&gt;Victoria Is Falling Apart — Premier PANICS as Tens of Thousands Leave&lt;/p&gt;
&lt;p&gt;Australian Hub
https://www.youtube.com/watch?v=ancDk2hDKX4
https://www.youtube.com/watch?v=ancDk2hDKX4
Victoria Is Falling Apart — Premier PANICS as Tens of Thousands Leave&lt;/p&gt;
&lt;p&gt;Australian Hub&lt;/p&gt;
</content:encoded><author>Peter Alexander</author></item></channel></rss>