Recent Posts

Pages: « 1 2 3 4 5 6 7 8 9 10 »
81
General Discussion / Re: How To Increase High Volts Of Lawn Mower Ignition Coil?
« Last post by Login to see usernames on July 18, 2025, 21:50:13 pm »
On another note,.....The Briggs brand lawn mower ignition coils have one for a 2 cyl. engine. Those engines DO use either 1 or 2 ignition coils for twin cylinders. I found out , that the dual cables type, single Magnetron coil, is NOT An "autotransformer." The autotransformer has 3 terminals only. The special dual cables type Magnetron has no connection to the PRIMARY side. THEREFORE, 4 TERMINALS SEPARATE. You can put one secondary cable to ground and then get FULL POSITIVE HIGH VOLTS OUT! This is a pulse output circuit, not an AC circuit. Conversion fuel circuits wotk better using positive high volts through spark plug to negative ground.
82
Tur55 / Re: Stanley Meyer's fuel cell theory
« Last post by Login to see usernames on July 16, 2025, 15:06:13 pm »
Awesome! Let’s now take your water level sensor to the next level by **visualizing capacitance in real time**.

We’ll cover two options:

---

## ✅ **Option 1: Display on OLED Screen (Local Display)**

### 🧰 Components Needed:

* Arduino (Uno or Nano)
* OLED display (e.g., SSD1306, 128x64 I2C)
* Water sensor circuit (same as before)
* 10kΩ resistor

---

### 📦 Libraries to Install in Arduino IDE:

* `Adafruit_GFX`
* `Adafruit_SSD1306`

You can install them via **Tools → Manage Libraries**.

---

### 📟 Arduino Code with OLED Output

```cpp
#include <Wire.h>
#include <Adafruit_GFX.h>
#include <Adafruit_SSD1306.h>

#define SCREEN_WIDTH 128
#define SCREEN_HEIGHT 64
Adafruit_SSD1306 display(SCREEN_WIDTH, SCREEN_HEIGHT, &Wire, -1);

const int sensorPin = A0;
const int chargePin = 8;
const float R = 10000.0;

void setup() {
  Serial.begin(9600);
  pinMode(chargePin, OUTPUT);
  digitalWrite(chargePin, LOW);

  if (!display.begin(SSD1306_SWITCHCAPVCC, 0x3C)) {
    Serial.println(F("OLED not found"));
    while (1);
  }

  display.clearDisplay();
  display.setTextSize(1);
  display.setTextColor(SSD1306_WHITE);
}

void loop() {
  // Discharge
  pinMode(sensorPin, OUTPUT);
  digitalWrite(sensorPin, LOW);
  delay(10);
  pinMode(sensorPin, INPUT);

  // Charge timing
  digitalWrite(chargePin, HIGH);
  unsigned long startTime = micros();
  while (analogRead(sensorPin) < 646); // 63% of 5V
  unsigned long elapsed = micros() - startTime;
  digitalWrite(chargePin, LOW);

  float capacitance = (float)elapsed / R; // in µF
  float capacitance_nF = capacitance * 1000.0;

  // Display
  display.clearDisplay();
  display.setCursor(0, 0);
  display.println("Water Sensor");
  display.print("Time: ");
  display.print(elapsed);
  display.println(" us");
  display.print("Cap: ");
  display.print(capacitance_nF, 2);
  display.println(" nF");
  display.display();

  delay(1000);
}
```

---

## 🌐 **Option 2: ESP32 with Web Dashboard**

If you're using an **ESP32**, you can:

* Host a **local web server**
* Show real-time capacitance readings on a web page (on your phone/computer)

Would you like me to generate the **ESP32 code with a web interface**, or would you prefer MQTT/IoT cloud dashboard integration (like Blynk or ThingSpeak)?
83
Tur55 / Re: Stanley Meyer's fuel cell theory
« Last post by Login to see usernames on July 16, 2025, 15:05:09 pm »
Perfect! Here's how to measure **capacitance using Arduino** with the sensor circuit we just created — where **voltage polarity stays fixed** (always positive).

---

## 🧪 Principle: Measure RC Charging Time

You're going to:

1. **Apply a HIGH signal** (e.g., 5V) to the sensor electrode.
2. Measure how long it takes for the voltage across the capacitor to reach a threshold (e.g., 63% of 5V).
3. Use the time and known resistor value to calculate the **capacitance**.

---

## 🧰 Components Needed

* Arduino Uno (or compatible)
* Water sensor (capacitor with one electrode grounded)
* 10kΩ resistor
* Wires, breadboard

---

## ⚡ Circuit Wiring

```
                +5V
                 |
                [R] 10kΩ
                 |
Sensor electrode (goes to pin A0)
                 |
                [C] Capacitor (sensor: e.g., copper tape)
                 |
               GND (other electrode always grounded)
```

---

## 🧠 Arduino Code: Capacitance Measurement (RC Timing)

```cpp
const int sensorPin = A0;      // Analog pin to read capacitor voltage
const int chargePin = 8;       // Digital pin to charge the capacitor
const float R = 10000.0;       // 10kΩ resistor
unsigned long startTime, elapsedTime;
float voltage, capacitance;

void setup() {
  Serial.begin(9600);
  pinMode(chargePin, OUTPUT);
  digitalWrite(chargePin, LOW); // Start with low
}

void loop() {
  // Discharge capacitor
  pinMode(sensorPin, OUTPUT);
  digitalWrite(sensorPin, LOW);
  delay(10); // Ensure full discharge

  pinMode(sensorPin, INPUT); // Set back to input

  // Start charging
  digitalWrite(chargePin, HIGH);
  startTime = micros();

  // Wait until voltage reaches threshold (~63% of 5V ≈ 3.15V)
  while (analogRead(sensorPin) < 646); // 646/1023 ≈ 3.15V

  elapsedTime = micros() - startTime;

  digitalWrite(chargePin, LOW); // Stop charging

  // Calculate capacitance using τ = RC ⇒ C = t / R
  capacitance = (float)elapsedTime / R;  // In microfarads (µF)

  Serial.print("Elapsed Time: ");
  Serial.print(elapsedTime);
  Serial.print(" µs\tCapacitance: ");
  Serial.print(capacitance * 1000, 3);  // Convert to nF
  Serial.println(" nF");

  delay(1000); // Wait before next reading
}
```

---

## 📏 Interpreting the Readings

* As **water enters** the sensor area, the **dielectric constant increases** → capacitance increases → **longer charge time**.
* You’ll see `Capacitance` rise in **nF or pF** range.

---

## 🛡️ Optional Improvements

* Average multiple readings for stability.
* Use `analogComparator` hardware (on some AVRs) for faster precise timing.
* Shield the sensor from noise if measuring small capacitance (pF range).
* Add **temperature compensation** if you're sensing water in varying environments.

---

Would you like me to show how to visualize this capacitance in real time (e.g., on an OLED or web dashboard via ESP32)?
84
Tur55 / ChatGPT helps out: Stanley Meyer's fuel cell
« Last post by Login to see usernames on July 16, 2025, 15:02:43 pm »
To ensure that the voltage polarity on each electrode stays the same, you need to redesign the circuit so that one electrode is always at a fixed potential (like GND) and the other receives a unidirectional signal (e.g., always positive).

Goal: Fixed Polarity Across Electrodes
We’ll redesign the Falstad LC circuit so that:

One plate is always grounded.

The other is charged through a unidirectional pulse (e.g., from a square wave that swings 0 V to +5 V, not negative).

Capacitor behaves like a charge-storage element rather than part of a full AC oscillator.

🧰 Updated Falstad Circuit (Fixed Polarity)
🔗 Click here to open in Falstad

🧭 What Changed:
The capacitor has one plate tied directly to GND.

The other plate is driven by a square wave voltage source from 0 V to +5 V.

A resistor is placed in series to limit current.

Voltage polarity across the capacitor is always positive (never reverses).

🔍 How This Works:
This setup mimics a charging capacitor in response to a digital signal.

It's ideal if you want to measure capacitance changes without reversing polarity — good for bio-sensing, moisture detection, or when protecting materials from electrolysis.

🧪 Sensor Application
You can replace the capacitor with two electrodes around water (like foil on a bottle).
Or use a single Meyer tubeset.

One electrode is always grounded.

The other is connected to a microcontroller GPIO pin outputting digital pulses (0 V to +3.3 V or +5 V).

Measure the charging rate (RC time constant) or use it as part of a timing circuit (e.g., charge/discharge time measurement).

Here the falstad data for simulation:
https://falstad.com/circuit/#%24+1+0.000005+0.11519527999216852+56+5+50%0Av+192+96+192+64+0+0+5+0+0+0.5%0Aw+192+96+304+96+0%0AC+304+96+304+208+0+1e-11%0Aw+304+208+192+208+0%0Aw+192+208+192+240+0%0Ag+192+240+192+272+0%0Aw+304+208+304+272+0%0Ag+304+272+304+304+0%0AR+304+96+384+96+0+10000%0Ao+5+64+0+512+10+0.00009765625+0+1+5+3%0A

85
Tur55 / Re: Stanley Meyer's fuel cell theory
« Last post by Login to see usernames on July 16, 2025, 14:56:55 pm »
Here's a full **walkthrough for building a capacitive water sensor in hardware**, plus some **geometry options** for the sensing element.

---

## 🛠️ **1. Build the LC Resonant Circuit**

### 🧩 Components

| Component                        | Value / Description                           |
| -------------------------------- | --------------------------------------------- |
| Capacitor (C)                    | \~1 pF to \~100 pF (made using sensor plates) |
| Inductor (L)                     | 1 µH to 10 µH                                 |
| Resistor (R)                     | 10kΩ (pull-up or damping)                     |
| Microcontroller                  | Arduino Uno, Nano, ESP32, etc.                |
| Oscilloscope / Frequency Counter | Optional but helpful                          |

---

## 🧪 **2. Sensor Plate Design (Geometry Options)**

### A. **Parallel Plate Geometry**

* **2 metal plates** on opposite sides of a **non-conductive container** (e.g., glass or plastic tube).
* Water between plates acts as the dielectric.

![Parallel Plate Sensor](https://upload.wikimedia.org/wikipedia/commons/thumb/3/3f/Capacitor_with_dielectric_water.svg/400px-Capacitor_with_dielectric_water.svg.png)
*(Illustrative only – not a direct link to Falstad)*

### B. **Interdigitated Electrodes (IDE)**

* Two comb-like copper patterns printed on a PCB or etched on foil.
* Effective for detecting moisture or shallow water levels.
* High surface area, better for low water content.

### C. **Coaxial Tube Sensor**

* **Inner wire** inside a **metallic outer pipe or foil**, separated by plastic.
* Water enters the space between → dielectric increases → capacitance increases.

---

## 🧰 **3. Construction Tips**

* Use **copper tape** on the outside of a plastic tube (cheap and easy).
* Connect plates to the LC circuit as the **capacitor**.
* Seal or insulate connections to avoid corrosion.

---

## 🧪 4. **Frequency Detection with Arduino**

You can use a method similar to **pulse counting** or a **resonator detection** setup:

### Simple 555 Oscillator Circuit (to interface with Arduino)

Build a 555 timer oscillator with the water sensor as the timing capacitor. Arduino can count frequency.

```plaintext
555 Timer:
    - R1 and R2: Fixed resistors
    - C: Water sensor capacitor
    - Output to Arduino digital pin
```

Then use this Arduino code:

```cpp
const int inputPin = 2; // From 555 timer
unsigned long freq;

void setup() {
  Serial.begin(9600);
  pinMode(inputPin, INPUT);
}

void loop() {
  freq = pulseIn(inputPin, HIGH);
  if (freq > 0) {
    float f = 1e6 / (2 * freq);
    Serial.print("Frequency: ");
    Serial.print(f);
    Serial.println(" Hz");
  }
  delay(500);
}
```

---

## 🧠 Calibration

1. Record resonance frequency **without water** (baseline).
2. Slowly add water and record frequency changes.
3. Create a **lookup table** or linear model in code to estimate water level from frequency.

---

## 📊 Optional Enhancements

* Add a **Bluetooth or WiFi module** (e.g., ESP32) to send readings wirelessly.
* Use a **low-pass filter** and ADC to detect amplitude peaks instead of frequency.
* Integrate a **data logger** (SD card or cloud storage).

---

86
Tur55 / Re: Stanley Meyer's fuel cell theory
« Last post by Login to see usernames on July 16, 2025, 14:55:18 pm »
What the Circuit Does
C1 (1 pF) is your water-sensitive capacitor. As water increases, its capacitance goes up.

L1 (1 µH) forms an LC circuit with C1.

R1 (10kΩ) is a pull-up resistor.

AC Voltage Source simulates a small pulse or sweep input to show resonance.

Scope Output shows a voltage resonance peak.

🧪 How to Simulate Water Presence
Right-click the capacitor (C1).

Select "Edit", then change the value from 1pF to something higher (e.g., 50pF or 80pF).

Observe how the resonant frequency drops on the scope.

88
Tur55 / Re: Stanley Meyer's fuel cell theory
« Last post by Login to see usernames on July 16, 2025, 14:52:11 pm »
We will build a capacitive water sensor that changes its capacitance based on water presence. The Arduino measures changes in oscillation frequency to infer water level or presence.

⚙️ Materials Needed
Arduino Uno (or any other)

Copper tape or aluminum foil (as capacitor plates), or a single tube set, ala Meyers

Plastic or glass container (non-conductive)

100 nH – 10 µH inductor

Resistors and wires

Optional: Oscilloscope or frequency counter module for precision

📐 Circuit Diagram (Simplified)
csharp
Copy
Edit
                 +5V
                  |
                 [R] 10kΩ
                  |
                 [C] Variable capacitor (made with water sensor)
                  |
    Pin D2 -------+---------> GND
              |
              [L] Inductor (100 nH - 10 µH)
              |
             GND
The capacitor is formed by two copper strips taped on the outside of a water container, or a single tube set ala Meyers

The water between them changes the dielectric constant → increases capacitance.

This changes the LC oscillator's frequency, which the Arduino can detect.

🔁 Code (Arduino – Frequency Measurement)
cpp
Copy
Edit
const int sensorPin = 2;  // Digital input pin for frequency
unsigned long duration;
float frequency;

void setup() {
  Serial.begin(9600);
  pinMode(sensorPin, INPUT);
}

void loop() {
  // Measure HIGH pulse duration
  duration = pulseIn(sensorPin, HIGH);
 
  if (duration > 0) {
    frequency = 1e6 / (2 * duration);  // Approximate frequency (in Hz)
    Serial.print("Resonant Frequency: ");
    Serial.print(frequency);
    Serial.println(" Hz");
  } else {
    Serial.println("No signal detected");
  }

  delay(500);
}
89
Tur55 / Re: Stanley Meyer's fuel cell theory
« Last post by Login to see usernames on July 16, 2025, 14:50:03 pm »
This plot shows how the resonance frequency decreases as the dielectric constant increases, which simulates a capacitive sensor detecting water content:

Left side (εᵣ ≈ 1): Represents dry air — highest resonance frequency.

Right side (εᵣ ≈ 80): Represents pure water — lowest resonance frequency.

This is the core of how dielectric-based water sensors work: as water is introduced, the effective dielectric constant rises, the capacitance increases, and the resonance shifts downward.
90
Tur55 / Re: Stanley Meyer's fuel cell theory
« Last post by Login to see usernames on June 28, 2025, 21:30:33 pm »
I dont think that is possible having high voltage in the cell without high current. No phase lag between them, its a resistor.



exactly!     
Pages: « 1 2 3 4 5 6 7 8 9 10 »