OneCoin reveals OFC cookie-cutter ERC20 smart contract token
Y’know all those OneCoin points y’all been investing in since 2014 on that non-existent blockchain?
Yeah… forget about them. Over the next year OneCoin wants you to invest even more money in a to be launched OFC ERC20 token.
Earlier today OneCoin revealed it’s latest “big announcement”, regarding what many desperate investors were hoping for a OneCoin points public trading date.
That didn’t happen, with OneCoin instead announcing a new OFC ERC20 token ICO.
Without getting too technical, OFC will be a new set of points available for OneCoin affiliates to invest in.
Rather than use OneCoin’s non-existent blockchain, instead OFC will be launched on the Ethereum platform. Because y’know, “future of money” and all that.
Worse still, despite taking only a few minutes to set up, OneCoin are going to drip feed OFC tokens to investors till October, 2019.
So yeah, anyone wanting to publicly trade their OneCoin points is going to have to wait at least another eleven months – after which there will no doubt be some other distraction pulled out.
Or Bulgarian authorities could get up off their lazy asses and do their job. Just sayin’.
OneCoin intend to start selling pre-generated OFC tokens from October 8th, 2018 till January 7th, 2019.
120 billion pre-generated OFC tokens will be flogged to what remains of the gullible OneCoin affiliate base for €0.02 to €0.06 EUR.
In April 2019 the company will release 30% of invested tokens, with the final amounts released on October 2019.
OneCoin of course provide no reason for delaying giving out pre-generated and already invested in OFC tokens by nine months.
A number of third-party exchanges are featured on the OneCoin ICO website as “exchanges that we are contacting”.
This suggests the company hopes to list its ERC20 OFC token publicly at some point.
Or to look at it another way, confirmation that pretty much OneCoin’s last four years have been nothing more than one big Ponzi lie.
Naturally no third-party exchange can list points tracked on a SQL database, hence we have this new OFC token nonsense.
Convince a few shady exchanges to list the token, convert existing OneCoin points to pre-generated OFC tokens at some point …
Please, someone stop me if I’m wrong.
As for the value of OFC inevitably dumping, OneCoin couldn’t care less if it collapses.
The company already has your money – what are you gonna do about it?
Update 23rd August 2018 – In a likely attempt to avoid scrutiny, OneCoin has removed the OFC ERC20 smart contract code from their website.
Here it is the code as originally published;
pragma solidity ^0.4.19;
/**
* @title ERC20Basic
* @dev Simpler version of ERC20 interface
* @dev see EIPs GitHub link
*/
contract ERC20Basic {
function totalSupply() public view returns (uint256);
function balanceOf(address who) public view returns (uint256);
function transfer(address to, uint256 value) public returns (bool);
event Transfer(address indexed from, address indexed to, uint256 value);
}/**
* @title ERC20 interface
* @dev see EIPs GitHub link
*/
contract ERC20 is ERC20Basic {
function allowance(address owner, address spender) public view returns (uint256);
function transferFrom(address from, address to, uint256 value) public returns (bool);
function approve(address spender, uint256 value) public returns (bool);
event Approval(address indexed owner, address indexed spender, uint256 value);
}/**
* @title SafeMath
* @dev Math operations with safety checks that throw on error
*/
library SafeMath {/**
* @dev Multiplies two numbers, throws on overflow.
*/
function mul(uint256 a, uint256 b) internal pure returns (uint256) {
if (a == 0) {
return 0;
}
uint256 c = a * b;
assert(c / a == b);
return c;
}/**
* @dev Integer division of two numbers, truncating the quotient.
*/
function div(uint256 a, uint256 b) internal pure returns (uint256) {
// assert(b > 0); // Solidity automatically throws when dividing by 0
// uint256 c = a / b;
// assert(a == b * c + a % b); // There is no case in which this doesn’t hold
return a / b;
}/**
* @dev Subtracts two numbers, throws on overflow (i.e. if subtrahend is greater than minuend).
*/
function sub(uint256 a, uint256 b) internal pure returns (uint256) {
assert(b <= a);
return a – b;
}/**
* @dev Adds two numbers, throws on overflow.
*/
function add(uint256 a, uint256 b) internal pure returns (uint256) {
uint256 c = a + b;
assert(c >= a);
return c;
}
}/**
* @title Basic token
* @dev Basic version of StandardToken, with no allowances.
*/
contract BasicToken is ERC20Basic {
using SafeMath for uint256;mapping(address => uint256) balances;
uint256 totalSupply_;
/**
* @dev total number of tokens in existence
*/
function totalSupply() public view returns (uint256) {
return totalSupply_;
}/**
* @dev transfer token for a specified address
* @param _to The address to transfer to.
* @param _value The amount to be transferred.
*/
function transfer(address _to, uint256 _value) public returns (bool) {
require(_to != address(0));
require(_value <= balances[msg.sender]);balances[msg.sender] = balances[msg.sender].sub(_value);
balances[_to] = balances[_to].add(_value);
emit Transfer(msg.sender, _to, _value);
return true;
}/**
* @dev Gets the balance of the specified address.
* @param _owner The address to query the the balance of.
* @return An uint256 representing the amount owned by the passed address.
*/
function balanceOf(address _owner) public view returns (uint256 balance) {
return balances[_owner];
}}
/**
* @title Standard ERC20 token
*
* @dev Implementation of the basic standard token.
* @dev EIPs GitHub link
* @dev Based on code by FirstBlood: GitHub FirstBlood link
*/
contract StandardToken is ERC20, BasicToken {mapping (address => mapping (address => uint256)) internal allowed;
/**
* @dev Transfer tokens from one address to another
* @param _from address The address which you want to send tokens from
* @param _to address The address which you want to transfer to
* @param _value uint256 the amount of tokens to be transferred
*/
function transferFrom(address _from, address _to, uint256 _value) public returns (bool) {
require(_to != address(0));
require(_value <= balances[_from]);
require(_value <= allowed[_from][msg.sender]);balances[_from] = balances[_from].sub(_value);
balances[_to] = balances[_to].add(_value);
allowed[_from][msg.sender] = allowed[_from][msg.sender].sub(_value);
emit Transfer(_from, _to, _value);
return true;
}/**
* @dev Approve the passed address to spend the specified amount of tokens on behalf of msg.sender.
*
* Beware that changing an allowance with this method brings the risk that someone may use both the old
* and the new allowance by unfortunate transaction ordering. One possible solution to mitigate this
* race condition is to first reduce the spender’s allowance to 0 and set the desired value afterwards:
* EIPs GitHub link
* @param _spender The address which will spend the funds.
* @param _value The amount of tokens to be spent.
*/
function approve(address _spender, uint256 _value) public returns (bool) {
allowed[msg.sender][_spender] = _value;
emit Approval(msg.sender, _spender, _value);
return true;
}/**
* @dev Function to check the amount of tokens that an owner allowed to a spender.
* @param _owner address The address which owns the funds.
* @param _spender address The address which will spend the funds.
* @return A uint256 specifying the amount of tokens still available for the spender.
*/
function allowance(address _owner, address _spender) public view returns (uint256) {
return allowed[_owner][_spender];
}/**
* @dev Increase the amount of tokens that an owner allowed to a spender.
*
* approve should be called when allowed[_spender] == 0. To increment
* allowed value is better to use this function to avoid 2 calls (and wait until
* the first transaction is mined)
* From MonolithDAO Token.sol
* @param _spender The address which will spend the funds.
* @param _addedValue The amount of tokens to increase the allowance by.
*/
function increaseApproval(address _spender, uint _addedValue) public returns (bool) {
allowed[msg.sender][_spender] = allowed[msg.sender][_spender].add(_addedValue);
emit Approval(msg.sender, _spender, allowed[msg.sender][_spender]);
return true;
}/**
* @dev Decrease the amount of tokens that an owner allowed to a spender.
*
* approve should be called when allowed[_spender] == 0. To decrement
* allowed value is better to use this function to avoid 2 calls (and wait until
* the first transaction is mined)
* From MonolithDAO Token.sol
* @param _spender The address which will spend the funds.
* @param _subtractedValue The amount of tokens to decrease the allowance by.
*/
function decreaseApproval(address _spender, uint _subtractedValue) public returns (bool) {
uint oldValue = allowed[msg.sender][_spender];
if (_subtractedValue > oldValue) {
allowed[msg.sender][_spender] = 0;
} else {
allowed[msg.sender][_spender] = oldValue.sub(_subtractedValue);
}
emit Approval(msg.sender, _spender, allowed[msg.sender][_spender]);
return true;
}}
/**
* @title Ownable
* @dev The Ownable contract has an owner address, and provides basic authorization control
* functions, this simplifies the implementation of “user permissions”.
*/
contract Ownable {
address public owner;event OwnershipTransferred(address indexed previousOwner, address indexed newOwner);
/**
* @dev The Ownable constructor sets the original `owner` of the contract to the sender
* account.
*/
function Ownable() public {
owner = msg.sender;
}/**
* @dev Throws if called by any account other than the owner.
*/
modifier onlyOwner() {
require(msg.sender == owner);
_;
}/**
* @dev Allows the current owner to transfer control of the contract to a newOwner.
* @param newOwner The address to transfer ownership to.
*/
function transferOwnership(address newOwner) public onlyOwner {
require(newOwner != address(0));
emit OwnershipTransferred(owner, newOwner);
owner = newOwner;
}}
contract OFC is Ownable, StandardToken {
string public constant name = “OneCoin”;
string public constant symbol = “OFC”;
uint8 public constant decimals = 7;uint256 public constant INITIAL_SUPPLY = (120000 * (10**6)) * (10 ** uint256(decimals));
constructor() public {
totalSupply_ = INITIAL_SUPPLY;
balances[this] = INITIAL_SUPPLY;
emit Transfer(address(0), this, INITIAL_SUPPLY);
}//sending tokens from contract address
function send(address to, uint amount) public onlyOwner {
require(to != address(0));
require(amount > 0);// SafeMath.sub will throw if there is not enough balance.
balances[this] = balances[this].sub(amount);
balances[to] = balances[to].add(amount);
emit Transfer(this, to, amount);
}//mining tokens and sending to address
function mint(address to, uint amount) public onlyOwner {
require(to != address(0));
require(amount > 0);totalSupply_ = totalSupply_.add(amount);
balances[to] = balances[to].add(amount);
emit Transfer(address(0), to, amount);
}//burning tokens from address
function burn(address from, uint amount) public onlyOwner {
require(from != address(0));
require(amount > 0);// SafeMath.sub will throw if there is not enough balance.
totalSupply_ = totalSupply_.sub(amount);
balances[from] = balances[from].sub(amount);
emit Transfer(from, address(0), amount);
}function() public payable {}
//Sendin Ethers
function sendEther(address to, uint amount) public onlyOwner {
require(to != address(0));
require(amount > 0);
to.transfer(amount);
}}
Solidity and ERC20Basic appear to be free ERC20 token scripts available on GitHub.
Note that I had to edit the GitHub links as the URLs were too long in their original text format (was breaking the website for mobile users).
Update 23rd August 2018 #2 – The source-code of the OneCoin ICO website reveals the company hired to create the OFC smart contract:
In an attempt to mask the source, the rest of the image URLs on the website have been encoded. It appears however that someone forgot to encode the last few image URLs. Ruhroh!
The “ICO Promotion” website belongs to ICODA, who describe themselves as “the ICO Digital Agency”.
The company markets “done for you” smart contract creation, ICO website creation and white paper development and listing on exchanges services.
Who owns ICODA is not disclosed on the company website. Several ICODA employees are listed on LinkedIn, with disinticly Russian sounding names (Evgeniy Stepanov, Игорь Чеканов, Ruslan Pivnev, Vladimir Z. and Ratislav Yankovskiy).
How much OneCoin paid ICODA to come up with their OFC ERC20 token is unclear.
OMG, hahahaha, forget about the ERC20 smart contracts.
According to Chief Excuse Officer Igor Krnic on his onecoin-non-debate forum this was just a mistake by the developers. The Smart contract section has been removed.
The current version of onecoinico.io (unfortunately without this smart contract section) has been archived on archive.is/M6MuI
I had a copy saved too. Published it as an update on the article.
Solidity and ERC20Basic meanwhile appear to be free token scripts available on GitHub.
And OneCoin aren’t even using the latest version of Solidity. What a joke.
Solidity 0.4.19 was released in December 2017. So at a maximum OneCoin has cobbled its OFC ERC20 token together in eight months.
LOL, the Smart contract section is still there, they only have “commented it out”, that means, they have put the html code between tags.
Ready for future use, never a dull moment with these idiots 😀
No reason to panic! The GLOBAL MANAGER and PRESIDENT Konstantin Tattoo Ignatov will clarify all misunderstandings on September 1st in Barcelona:
NOLINK://share-yourphoto.com/7ee9f7ea7c
I don’t think there’s any misunderstandings.
After four years of Ponzi shenanigans OneCoin are trying to exit-scam via the erc20 token route. The cheapest and dirtiest option.
NOLINK://share-your-photo.com/d80f3cb964
Translation: I have no fucking idea what any of this means and need 24 hours to come up with some bullshit explanation. Kthx.
Am i correct in my speculation that thay are trying to shill 120b tokens at 0.02€-0.06€ a pop… oh holy jeebus. sooo thay are gonna try to raise 2.4€-7.2€ BILLION.
guessing the “big event” Konstatin will present how to MLM this awsome new token….
ah well , yet another year of stupidity and go public nonsens….
Yup. The part they haven’t quite figured out yet is how to convert the SQL database points they’ve convinced investors are worth ~20 EUR each into OFC tokens. Lulz!
They can’t do a simple 1:1 transfer because a set number of OneCoin points have been invested in. That and how do you have a firesale ICO before you try to merge SQL database point balances worth as much as 1000 times less internally (~0.02 into 20 EUR).
Hahah, really a run-of-the-mill altcoin scam move.
It doesn’t even seem to be the kind of anchoring solution that Marcelo Casil proposed in the OneCoin “White Paper”:
(pdf-archive.com/2017/05/26/onecoin-whitepaper/onecoin-whitepaper.pdf)
Article updated revealing the developer behind the OFC ERC20 token (spoiler: it’s not OneCoin).
They literally just paid some random company to put together an ERC20 script for them. Cuz y’know, not like SQL database techs know fuck all about actual cryptocurrency.
Oh and what, OneCoin has its own blockchain but can’t put together a simple ERC20 token? Lulz!
OscarWSchmidt, obviously a German, knows the truth! onecoinico.io is a scam for sure!!! 😀
NOLINK://share-your-photo.com/cdca625e32
It might be a coincidence, but this address on the Ethereum blockchain explorer contains the definition of a token with the same characteristics as the SMART CONTRACT section on the onecoinico.io page:
NOLINK://etherscan.io/token/0x957bd2bcd6a99744a2e6eba03c651bed6d4a0ad6
name = “OneCoin”
symbol = “OFC”
decimals = 7
Created 26 days ago.
NOLINK://share-your-photo.com/e8288ab695
Baahh-hahaha!!!! So predictable for we observers looking on, but is this way beyond the understanding of the lemmings stuck inside the bubble of the sect?
While we all knew pretty much what to expect, a day prior to The Big Re#FAIL, I wrote on BMLM:
“…depending on how Onecoin super-duper blockchain and “The Bitcoin Killer” (bleeding edge SQL or ERC 20 Token) technology works in your timezones/ and computers.
Pssst! @CONstantine – be sure to make a good cult-like excuse for The Guh-ness-iss Block” date for the sect members!”
So predictable and sad. Poor saps who invested in these scammers 1-3 years ago could’ve put their money in anything on coinmarketcap and done the opposite of losing it all (like they have now).
How disgusting is it that these incompetent twats, or at least the ones who haveby already bailed/ fled/ or are now hiding, are trying to redux the whole scam over again.
Maybe now that the beans have been spilled by the company itself, and they’re resorting to a pretty much off-the-shelf ERC20 token (lol), investigators will pick the pace.
It’s easy see why CON-stantine had to push the, “the Germans said this looks like blockchain,” lie.
Next to ICODA/ICO Digital Agency another company – My ICO Agency – seems to be involved with the OneCoin ICO.
A (currently hidden) hyperlink NOLINK://ico.onecoinico.io leads to a registration page. After registration you will receive an email from domain @myicoagency.de
(The email confirmation functionality currently does not work yet, but you will get access to a new back-office.)
Some clients mentioned on the myicoagency.de website are KaratCoin Bank and KaratGold Coin.
OneCoin of course removed all the references to the ico-promotion ICODA from their ICO page source. Surprise… Luckily there’s Web Archive, where you can still see it in the page source. 😀
https://web.archive.org/web/20180823125514/https://onecoinico.io/
TV stations from all over the world report on the Bulgarian miracle currency! 🙂 Now I’m waiting impatiently for the fact that the German TV channels finally report on the new world reserve currency!
NOLINK://share-your-photo.com/8af58fec08
Neutral news or paid advertising?
NOLINK://share-your-photo.com/30d25687e5
At least finnish TV news warned about OneCoin being a pyramid scam. 😀
Now that OneCoin is contacting 12 crypto currency exchanges, I guess they are burying XcoinX.
It will be of course interesting to see how they manage to pull off an economic miracle, a true Holy Grail/Philosopher’s Stone of economics, that they are promising on open exchanges:
(from onecoinico.io) 😀
OneCoin’s OFC ICO dashboard:
https://image.ibb.co/eDQWxe/ico_dashboard1.png
Payment methods are Bitcoin and Ethereum:
https://image.ibb.co/h1LaOK/ico_dashboard1_2.png
Wallet. ERC20 OFC token distribution:
https://image.ibb.co/mmvZiK/ico_dashboard2.png
But wait… According to Onecoin Ltd., Ruja and all the Diamond Leaders the Onecoins are being mined “by the members, for the members” and Onecoin is not pre-mined cryptocurrency.
In fact – OneCoin has in several occasions told they have three server rooms filled with super computers that do all the mining (in some case it was said two rooms were in Bulgaria and one in Hong Kong).
Fine, let’s – like the poor donkeys – believe in that for a moment.
Where do the ICO coins come from?
(Of course none of the investors asks this. They just “trust the company”.)
Contract found here :
etherscan.io/token/0x957bd2bcd6a99744a2e6eba03c651bed6d4a0ad6
Keep that for a future use ^^
I quote from Ruja’s scam portal xcoinx.com on January 8, 2017:
NOLINK://share-your-photo.com/45e00b8892
I quote from Ruja’s scam portal xcoinx.com from April 19, 2017 to August 23, 2018:
Okay, do not worry. Now I am waiting for January 15, 2019 or 2020 or 2021 …
I am very patient. 😀 “Amazing news and features” always takes a bit longer than usual.
On this occasion, I suggest to rename the OneCoin. “OC” becomes “CSC”. For quite stupid here’s the explanation: Coming Soon Coin.
OneCon’s marketing premise had always been, “bitcoin was made for the (nerds), whereas OneCon is for the common people, taking out the complexity of cryptocurrency with ‘one-click mining’ and easy to use and understand, cross-border payments, yadda yadda yadda…”
I’m 13 days away from.having studied cryptocurrencies for 2,000 consecutive days, every day, for hours upon hours of those days, accumulating over 10,000 hours OF STUDY.
If even I am having a difficult time decifering WTF these con-artist clowns are actually doing (besides the very obvious and convoluted SCAM-BY-DESIGN), what in the hell must lazy OneCoinist victims who don’t know the first thing about crypto thinking?
NONE of what The Big RE#FAIL has really revealed is by any means “easy.” AND NONE OF IT IS TO ANY BENEFIT WHATSOEVER TO THE MEMBERS WHO INVESTED ALREADY! Lol.
The economics, discounts, token circulation cap, and the ERC20 protocol on Ethereum itself (from The self-proclaimed “Bitcoin Killer” company – who’s fabulous Dev Team of “5 Indian mathematicians” whom allegedly created “the fastest, most secure blockchain, with AML/ KYC built in and which processes more tx than Visa and MasterCard combined, Etc.) had to be outsourced to a barely known Russian ICO company 3rd party to build these tokens/ smart contract…. Well, I can’t do anything else other than chuckle.
As Onecoin scam company continue their monstrosity of lies, as an aim to take in yet more and more dollars AND BITCOIN from an increasingly larger group of uneducated and naive congregation of Sheeple, the complexity of the lie status further and further away from all sanity and logic.
AGAIN, what part of the words “INITIAL” Coin Offering are initial if member/ victims have been *MINING* ‘coins’ FOR OVER 3 1/2 YEARS!?!
Bah hahaha!!!
HEY! KOOL-AID!!!”
Dear haters, be patient…”
NO!
“DEAR BELIEVERS, EXPECT DELAY AFTER DELAY AFTER DELAY…and then *POOF!” GONE.
After email confirmation on ico.onecoinico.io the “Purchase a token” functionality becomes available.
The two payment methods offered are (surprise, surprise):
– Bitcoin
– Ethereum
Another smoking gun is the “My wallet” page with a “Your Ethereum address” input field and the following text:
OneCoin, the Bitcoin killer! Welcome to the Future of Payments!
Funniest thing about this whole thing is what is happening on my favorite website dealshaker.
As other scammers don’t know what is going on they just keep pushing back when the magic coupons will be available for purchase. And they are putting old scam offers on the site again it’s hilarious.
@Semjon
If they can’t get third-party exchanges to list the OFC scam token then they might repurpose xCoinx as an internal OFC token exchange.
Do the “Terms & Conditions” and “Public offering” links lead to anywhere?
Put the contents on pastebin if you have access.
No, these were “empty” links, leading to the same Homepage.
The ico.onecoinico.io sub-page is out of order currently, the scammers probably read everything on this behindmlm website 🙂
This will be repaired in the near future of course. No problem, the cat is out of the bag already.
Question:
Answer:
Behind the curtain, Ruja watches in horror the chaos that her distressed brother Konstantin is causing? How long will she still watch him? Obviously not for much longer:
NOLINK://share-your-photo.com/752fe25e6b
One thing I agree with Igor Krnic’s latest message is that “everything goes as planned”; Con-stantin and Ruja try to get more money with this ICO, while believing members play the hype part in this charade but benefitting nothing of it. LOL 😀
Krnic’s part is nowadays 100% defend, excuse and damage control. Hope he even gets paid, unlike Ken Labine back in the days.
Also in Igor’s forum the hope – so it seems – dies last.
Jeff Bezos and Jack Ma can not sleep soundly since they read this:
Now it will only take a few days, then 1,000,000 merchants will offer their unsaleable scrap on DealShitter:
NOLINK://share-your-photo.com/76004b4746
If you want to know how Ruja’s revolutionary Blockchain works, you should definitely watch this video:
NOLINK://youtu.be/XszJq2c255s
NOLINK://share-your-photo.com/d7886ddf3b
So far, the whole Blockchain technique has been like a book with seven seals for me. But after watching this video, I feel perfectly informed!
NOLINK://share-your-photo.com/fbdc82c6e1
I think Ruja does not love me anymore. 🙁 She has banned me – and probably all Germans – from onecoinico.io:
NOLINK://share-your-photo.com/cd54be9ae2
^ BaFin happened on 27.4.2017. All sales by OneCoin prohibited in Germany.
This is still in effect. That’s obviously why access to the ICO site is blocked in Germany.
According to Chief Excuse Officer Igor Krnic this is just a matter of OneCoin getting a license in Germany, but for some reason it hasn’t happened in 16 months, wonder why. 😀
We’ve got this all wrong. I know because I asked Igro about it and this is what he told me, and I quote:
Yeah sure Igor. Keep on dancing.
I saw the same error message when I used a German ip address today.
Download the Tor browser from torproject.org and you don’t have to miss anything of the future fun.
@WhistleBlowerFin
The reality is rather different! Fanatic and greedy OneCoiner ignore any ban. So-called “training courses” are still taking place and “educational packages” are being sold.
The money for this is collected by Ruja’s “distributors” or you can handle the trade via so-called gift code shops.
There are also IMA’s that handle these activities via Austria. Unfortunately, the German authorities are still sleeping soundly.
The German serial fraudster Frank Schwarzkopf even offered his “training courses” on DealShitter in 2017:
NOLINK://share-your-photo.com/eec3bbd629
@yclick
Hi yclick ! glad to see you again !
I’ve laugh a lot with your comment’s on the Julien Zerbini video on youtube. Unfortunately he doesn’t respond to your last comment and they block any offensive commentaries anymore.
My last question was about the fact than you can’t buy any “onelife” goodies (cap, shirt etc …) with “one coin” or paid any “event” participation, theses people ask between 150 and 350€ for theses seminar, of course they never respond to me, block my comment.
I hope this scammer got what he deserve soon. A la prochaine.
@OneCon Squad Sofia
Thanks for the tip, but I use VPN (CyberGhost) with the same result. 🙂
@Melanie
I know the Onecoin criminals figured out ways to circumvent the German ban. I’m sure authorities at least know about this, but it’s difficult to prevent due to its indirect nature. That’s why Onecoin will probably never get official license in Germany.
Con-stantin and his minions are pure criminals.
Now the OneCoin idiots are dancing on the tables again:
Just one of many comments on Facebook.
Today the “Difficulty Factor” increased to 270 (+30%, from 208 since 22 December 2017). However Ruja’s magical wand made a small mistake, because the OneCoin price shown on the homepage is still 20.75 EUR.
This should be (about) 27 EUR indeed and it will be corrected soon of course, because as a message on the homepage still says:
This is the right moment to keep the ponzis happy for a few more weeks, in response to the negative news about the OneCoin ICO.
>Coin value increased to €27 from 20.75.
Was it not that end of this year value should have been €50 and optimistic value €100?
On DealShaker the “value” is now at 20,65 EUR. Was it 20,75 EUR before? If that’s the case, it has gone down 10 cents.
@Semjon
The price on DealShitter was always 10 cents lower than the “official” value. I do not know why that is.
@WhistleBlowerFin
Why are you talking so bad about Con-stantin? The man has made a fantastic career – from bodyguard to global manager! Some even call him “President” in awe.
NOLINK://share-your-photo.com/54d075fa4f
Konstantin has a history being involved in Ignatov family business. He was marked as a partner along with Ruja’s huband Björn Strehl in Bulgarin mahcine store company(?) back in 2008, before his mother Veska bought the shares from him in 2014.
(tr.bivol.bg/view.php?guid=175441091)
Here is the list of all Bulgarian companies that Ruja has been involved in the past, it intersects with:
tr.bivol.bg/view.php?guid=CD7110381B65459EEE09A8CEE03F3FA4
They include real estate and cosmetic business companies. The link is an interesting passageway to network of companies that Ignatov family has been associated with.
It aslo shows that Ruja has used Bulgarian public funds 198 509 levs (= ca. 101 000 EUR) and has outstanding tax debt 85 274 levs (ca. 43 000 EUR). So the reason for her disapparance is that she might have become a tax fugitive!
@Oz
If someone has no idea, he hides in a telegram group: 😀
Muhammad Adeel
Okay, let’s fly to the moon! Are there already acceptance points for the Bulgarian ShitCoin?
NOLINK://share-your-photo.com/e6c6a8b4d2
No, the OneCoin “value” on Dealshaker has always been 0.10 EUR lower than the OneCoin “value” on the onelife.eu homepage.
Found this:
(machine tranlsation from rabglas.blogspot.com/2012/09/9.html)
These were all Ignatov companies: Ruja had a role as a owner of Alubest and manager of Alukast, Konstantin owner of Progress Mashinestroende; mother Veska and father Plamen also were at some point involved.
Later they cheated workers and authorities in Germany with their metal business!
@Semjon
For your excellent research this fits like the proverbial fist on the eye!
The self-proclaimed “Cryptoqueen” has always been greedy and insatiable! This comment from Facebook is six years old, so it comes from the year 2012:
NOLINK://share-your-photo.com/4679c9636d
The men among our readers will not know what she meant by that. Well, Ruja thought she needed a new handbag. Oh no, not one – it must be three!
Of course, a “queen” does not buy them from Amazon, but prefers the Hermès Birkin brand.
There, handbags are extremely cheap – on eBay you get bags of the brand Hermes Birkin already for 20,000 euros plus 9.50 euros shipping.
Who makes higher demands on a stupid handbag, but also like to invest 55,293.49 euros. Then the shipping is even free. 🙂
NOLINK://share-your-photo.com/33b627fd8a
And who can afford a handbag from Hermes Birkin in Bulgaria?
Source: NOLINK://www.steuerratschlag.eu/2018/02/durchschnittseinkommen-in-bulgarien-von-400-euro-langt-nicht-fuer-die-ausgaben/
Question: How many years does a Bulgarian worker have to work for a Hermes Birkin handbag?
If we’re looking at the history of the Ignatov crime family legacy, you can’t forget CSIF (Clever Synergies Investment Fund), which was one of the largest hedge funds in the region.
Ruja functioned as CFO at one point, and the so-far elusive link is the CEO, Tsvetelina Borislovava, common law wife of 2x Prime Minister of Bulgaria, Boyko Borisov.
Borislovava is one of the richest female tycoons in Bulgaria and has been the Chairman of the Supervisory Board for American Credit Bank since 2011 and is owner and Chairman if the Supervisory Board of Bulgarian American Credit Bank. BACB was (is?) 56.3% owned by CSIF.
Boyko Boisov’s image suffered significantly due to delegations of racism, xenophobia, threatening journalists, corruption and connections with organized crime.
In 2007 the magazine U.S. Congressional Quarterly accused him of being directly tied to the biggest mobsters in Bulgaria. Wiki-leaks revealed that in C.I.A. findings (surrounding a visit by Secretary John Kerry) that he may be linked to nearly 30 unsolved murders in the Black Sea republic. [Wiki-Leaks has a ton more, and there are even photos of Boyko with former past owner of a Onecoin shell company under Pagaron Investments umbrella, Hristoforos “Taki” Amanatidis (AKA: “The Cocaine King”).
Presumably with Borislovava and possibly with CSIF, “accusations in years past have linked Borisov to oil-siphoning scandals, illegal deals involving LUKoil and major traffic in methamphetamines.”
SOURCE: NOLINK:https//wikileaks.org/plus/cables/06SOFIA647_a.html
Ruja and Tsvetelina are rumored to have joint ownership in an Eastern Black Sea region Ski Resort and hotel property.
…and SOMETHING, allegedly very significant, took place between her father and either politics or crime, between Ruja’s sophomore and junior year in high school, in Germany, when they allegedly quickly left the city of ______ to return only ~18 months later.
The Ignatov family is extremely well connected and any detailed background is shrouded in mystery.
How high up their political or criminal ties go is largely unconfirmed. But when we recall Onecoin’s supposed acquisition of a natural gas & oil field (Area #3112) in Southern Madagascar, in October 2016, it makes you wonder the relationship between Ruja, her company Crypto Real Investment Trust, and Clever Synergies Investment Fund (and Borislovava, etc), of course.
In a French Onecoin group forum, an abandoned IMA asked former Black Diamond Leader, Dr. Parwiz Doud if it was true that Frank Rickets had also left Onecoin:
*AuLives is the newest “gold backed” crypto scheme founded by Doud.
To note: Doud cited lack of transparency for his departure, pointing out that even Ruja and (all) Top Leaders had also already left the company, that there was no communication and no one knew what the hell was going on anyway.
On June 22, 2018, a promotional video about the “Global Manager” was uploaded to YouTube:
NOLINK://share-your-photo.com/18c331d6af
What a primitive title! Just as primitive as Constantine himself! But that suits him. Like his old Facebook account:
NOLINK://share-your-photo.com/a7e3b318d6
For explanation:
konsti = Konstantin
keks = biscuit
Okay, agreed. Konstantin is as intelligent as a dry biscuit! 🙂
Frank Ricketts left indeed. Surprise..
A random Onecoiner: “But but, he didn’t leave, he just didn’t continue anymore, and Sebastian Greenwood just retired, nobody left OneLife buhuhuuu” 😀
https://image.ibb.co/hedhsp/Frank_Ricketts_outof_One_Life.png
An Italian, a Bosnian and a Romanian organize a webinar together tomorrow.
All three are members of the so-called Global Leadership Group.
Question: How to become a GLG member?
I have the feeling that every second OneCoiner is now a GLG member.
Probably no special qualification is needed, you just have to be able to lie and cheat perfectly?
NOLINK://share-your-photo.com/a155063ae0
The links I found:
MULTINESHANAL ASET PORTFOLIO SAPORT /MAPS/ AD – Ruja was Director in 2010 succeeded by TSVETELINA BORISLAVOVA , company owned by CSIF (SIESAYEF AD)
(tr.bivol.bg/view.php?guid=175142491)
KEPITAL APARTMANTS – Ruja was manager in 2009, owned by RIVAL 5 which is owned by CSIF
(tr.bivol.bg/view.php?guid=200918074)
TERES FOND – Ruja was director and represtantive in 2009, owned by CSIF
(https://tr.bivol.bg/view.php?guid=200299241)
SLAVYANSKA RIAL ISTEYT – owned by CSIF and TERES FOND
(tr.bivol.bg/view.php?guid=200530716)
I think I found it:
PAMPOROVO-HOTELI, owned by CSIF. Pomporovo is a ski resort area in Bulgaria.
(tr.bivol.bg/view.php?guid=120551688)
website of the hotel: pamporovo.me/en/
It even publicly lists CSIF as one of its partners.
Let me answer that one.
Since like – forever – the OneCoin internal exchange has had two prices for the coin: “buy” and “sell”.
The difference used to be almost constant 10 euro cents.
It ensures that if you manage to buy OneCoins and then sell them, you’ll lose money in the process.
So it’ll cost you 20,75 euros to buy one OneCoin but you’ll get only 20,65 for it if you sell it.
The “official price” has always been the higher price, i.e. “buy” price.
Since internal exchanges were closed, only one price has been visible – the higher value.
Dealshaker prices have always been “sell” prices – i.e. the 10c lower than “official” price.
I don’t know the exact reason why they use “sell” price but that is the reason for the difference.
@Semjon – Dude. You’re bad ass! That’s it. Good stuff!!
On August 23, it was said on onecoinico.io:
NOLINK://share-your-photo.com/cb504c0b6e
There were twelve. And what is the current situation? I only count six. Has Konstantin already received six cancellations?
NOLINK://share-your-photo.com/57186a6f7e
So, I’m looking for a job, right? My qualifications:
No verifiable degree (but self imposed “Titles”). Deplorable credit history. No experience in any particular industries – other than a laundry list of failed ventures, bankruptcies and accusations of mis-management, false marketing & advertising.
Criminal record for fraud. Mafia ties to my family. Criminally investigated on at least 3 continents for money laundering and economic crimes (funding terrorism is mentioned).
Nearly 200 arrests and at least 2 cases of kidnapping tied to representatives of my current “project.”
International fugitive of the law and I’ve had at least 22 bank accounts shut me down, freeze or even seize all the funds in my accounts.
But I have a brilliant plan which will change all that!
EMPLOYERS THAT I AM CONTACTING:
– NASA
– Apple
– Berkshire Hathaway
– Tesla
– Disney
– Alphabet Inc.
F̶a̶c̶e̶b̶o̶o̶k̶
S̶a̶m̶s̶u̶n̶g̶
Q̶u̶a̶l̶c̶o̶m̶
M̶G̶M̶ ̶G̶R̶A̶N̶D̶
G̶o̶o̶g̶l̶e̶
D̶e̶l̶o̶i̶t̶t̶e̶
P̶f̶i̶z̶e̶r̶
Obviously, this is completely realistic and I’ll certainly be several of these companies top candidate for premier positions with my job history and record. Right? Everyone would love to be my co-worker. I’m great at managing money! /s
The comedy and farcical antics of the biggest Ponzi scheme in the history of #Kleptocurrency never ceases to amaze! And the vacuous mental capacity of its unsophisticated victims attachment to logic, at this late stage of total collapse, is just dauntingly asinine.
@Timothy Curry
Gorgeous! You wear my laughing muscles! 😀 But maybe you can find a job in Pakistan? There are still – or again – looking for stupid who believe in the BitCoin Killer from Bulgaria…
In Pakistan, new victims for the OneCoin scam are again sought. No longer there: Muhammad Zafar, who has often ripped off in Pakistan so far. But Konstantin Ignatov is announced – with a “Special Message”:
NOLINK://share-your-photo.com/da19c8320c
Hey Vladof,
I ask them exactly the same question as you on facebook on all the post making the promotion of onelife goodies (tshirts, mugs, dresses…).
I hope the famous sign Zerbini does with his fingers will finally be the new size of his own anus in jail under the shower.
By the way I have a lot of accounts (I’m getting often ban, strange isn’t it?), but you can see me here or by youtube and in facebook. I’m very active in the french branch of this scam (Zerbini, Larsonneur, Sicilia, Girard, ce con de Boiteux et sa pouf.).
Au plaisir 😉
@yclick
Yeah i’ve seen you many time on the comment section of some youtube video, first time on the “dealshaker” where you warn them about the delayed ico.
Actually i’m not a Onecoin investor, i just know some people who’s get scammed by some Belgian “onecoin leader/entrepreneur”, the sad side of this story is the fact than the majority of theses victim’s are old/naive and poor people, selling magical star powder to human misery is a very ugly business.
I just watch the whole show with some popcorn and beer. Also it’s always funny to see the narcissist cliche behavior of theses dumb-ass, i don’t know anything about theses people before, the palm of the best f***** is always this fat pig “igor” and his wife, damn i don’t know where and who choose his costume but it’s fucking weird.
About Zerbini, i don’t think he realize the trouble against him in the future, some people who’s be scammed by his team in France plane to burn his family house if they don’t get they money back.
It’s just public comment’s i’ve seen somewhere. But if you look closely on the comment on his youtube channel, most of him are from muslim people in France, not a great deal by theses “radical” times …
Au plaisir aussi 😉 j’écris a l’arrache en anglais histoire de pas faire frustrer le peuple ici façon pollution écrite.
Why don’t you just start another multi-level marketing company? ROTFLOLOLOL
I quote from a closed Facebook group. The discussion is very long, unfortunately it does not fit into a screenshot:
@Melanie
Someone could probably tell that poor guy that having his coins missing due to outdated KYC is a normal procedure.
From OneLife backoffice (Information center -> FAQs -> Account verification & Compliance -> “My KYC status is DECLINED with the following reason: outdated KYC documents.”):
The case in FAQ is for “not logged in during last 12 months”, but the same logic applies to fully active account where the KYC documents have expired – the account balance will be nullified until/unless he provides new KYC documents. And since he says himself he submitted the KYC documents literally years ago, that’s probably the cause.
Sure it sucks but if you decide to join into a Ponzi scam without doing your due diligence you should be prepared to act according to some arbitrary rules set by serial scammers, right?
So people who’s become scammed by the onecoin revolution are also dumb enough to send all theirs identity documents “in high resolution” to the Bulgarian mafia?
I can smell massive identity theft after the big collapse.
It has been assumed for a long time that eventually they will start to make additional profits by selling the identity documents forward to the highest bidder, yes.
The practice of demanding KYC renewal came up lately, I think there originally was no requirement for KYC renewal. (It may be they want to get rid of excess accounts to ease the pressure for payouts.)
Hey Vladof,
I’m not being scammed either, but I hate scammers, that’s why I give a little bit freetime to f*** their business. Like a hobby…
If you are from Belgian you may have notice that Laurent Louis is one of my favorite target too ^^ But he deletes my posts very fast. 😀
La même chose, pas cool sinon pour les gens qui comprennent pas.
C U
@Otto
This OneCoiner from the United States obviously believed in this lie of Ruja Ignatova:
NOLINK://share-your-photo.com/d1f18ba15e
Regardless, many OneCoiner complain that their coins have disappeared from the so-called coin safe.
Kraken exchange commented OneCoin OFC listing dreams.
https://image.ibb.co/iJOSSp/kraken_onecoin.png
Oh yes, the CoinSafe – my humble opinion is that the coins are disappearing because the coders who implemented the CoinSafe feature never actually expected the scam to be up so long that the coins would need to be returned to their respective accounts.
Therefore some crucial information (like the originating account) is missing and therefore the expiry cannot return the coins without a contact to customer support. 😉
At least they never tested the feature.
I’m confused. DealShitter still says:
NOLINK://share-your-photo.com/953edf2362
Lets put here also the actual Twitter link to the Kraken accouncement about OneCoin.
https://twitter.com/krakensupport/status/1033971998307713025
LOL, Igor is now explaining why Kraken Support tweeted like that:
” There is a certain risk working with onecoin, you need to afford to whitstand some negative propaganda, you need to fist meet with management (and/or lawyers) that will show you all the papers of legitimacy,”
Oh yeah, the company will just show the papers of legitimacy. 😀 😀
The “legitimate” OneCoin company has been banned of all sales in Germany for 16 months now, though it’s circumventing the sales ban all it can, like a criminal scam company it is.
Jesus, Krnic is nowadays a total scammer.
By the way, Igor seems to have managed to assure many of the OneCoin members on his forum than German investigation is already finished. Even OneCoin company itself hasn’t made that bold claims.
Not surprised. Igor is now clearly part of the OneCoin strategy of spreading missinformation and positive assumptions to members.
Krnic was always a scammer, starting from when he replaced Labine as unofficial Onecoin PR face/advocate.
You didn’t have the opportunity to listen his webinars in Serbian. Could have come sooner to very same conclusion.
His introduction was all a ruse by Serbian-Croatian team, they all pretend he was never a MLM person but a IT guy that will “explain” technical aspects of Onecoin and play a role of “neutral” entity for gullible people, while his Herbalife history speaks otherwise. Not to mention his medical quackery..
Both him and Korbar were and still are working together, even if Korbar has officially distanced from Onecoin and tries to portrays himself as neutral party now.
I’m fairly certain this scam would have crashed long ago if both of this scammers were not involved.
youtu.be/VWGi5wrSVwU?t=2389
One of the recent videos of Krnic, speaking in English.
On 1:16:00 Krnic talks how ICO’s are used to launder money from illegal activities. Very interesting.
Surprise. OneCoin removed all the exchanges it said it is contacting. 😀 😀
(Ozedit: link 404 as of July 2019)
For old times sake, WebArchive shows what was there originally:
https://web.archive.org/web/20180823125514/https://onecoinico.io/
Yeah I noted it’d gone in the latest article. Went looking for what exchanges were left lol.
Thanks for the archive, good to have a SS for reference. Makes it harder for the scammers to rewrite history given this is all happening in real time.
How funny that some people got their accounts freezed by central (scam) authority because problems with KYC documents!
The key selling points, or one could even say the reasons for the existence, of cryptocurrencies is that they are decentralized, so you don’t have to fear the whims of some central authority, and that they give you anonymity (meaning no KYC needed).
For these reasons OneCoin was an absurd concept from the outset, but I hope these problems show to the remaining victims in practice how stupid the “vision of Dr. Ruja (and her crime family)” is.
^ My understanding is, that it would be illegal to just remove all assets without informing the users, and giving enough time to react, if KYC gets outdated.
Of course OneCoin is not a real asset and not regulated in anyway, so I’m not surprised that they just coldly take the scam coins away immediately. Of course they want fresh KYC as soon as possible, because only that has value on black markets.
@Semjon
Onecoin is a revolutionary thing ! It is a centralized datasystem to transfer money which verify the identity of his clients…
Oh wait is that maybe the definition of… A BANK ??
😀
How many Onecoiners does it take to screw in a light bulb?
Obviously way more than 3.4 million because they are still in the dark.
It is the largest collection of village idiots from around the world. Amazing? No.
Let’s go back the old 419 Nigerian scam. You would receive an email by Prince Whatever who just received an inheritance of 25 million. Now he needs your help to transfer it to his account and as a thanks you will receive 5 million!
Also the mail is usually in very bad English Not very trustworthy for a prince. . But this is by design.
The scammers send many thousands of mails and only want to continue with a small group of the most gullible. Those dumb enough to continue will of course be asked for an amount of money to set things in motion.
That is the money you lose, you will of course never get the 5 million.
Onecoin did the same. Promise mountains of money but first you will have to fork over your cash.
Here also the most gullible are selected. Just make ridiculous claims how there is a (rising) value of the coin even without there being supply and demand.
Your tokens mysteriously split every now and then without losing value. Well, you got your first selection of suckers there!
Then just double everyone’s coins! Why not? Suckers still there? Yes! Let’s throw a Wonderwheel at them, they sure can’t believe that! What do you say? They do? ROFL.
The scammers must have been rolling on the floor laughing in Sofia when they came up with this stuff.
Just imagine making a deposit at a bank and the teller spins a wheel and tells you will get 25% bonus credited to your account. Who would believe that? Well, nobody but Onecoiners do.
No use trying to convince them. They are too stupid to realise how stupid they are. Everything we told them about the ending of a ponzi – stop on withdrawals, support failing, leaders disappearing and leaving, delay after delay, coming soon… – has happened with Onecoin and still they don’t want to see.
Maybe it is very hard to admit you were wrong and have been had.
Let’s just call it natural selection.
And it continues to lied and cheated – with emphasis in South America:
NOLINK://share-your-photo.com/6909e50d7a
The tactics of such “companies” is well known: Before the fraud is obvious to all, the last victims are still quickly brought to their money.
– Albert Einstein –
An individual with user name Jtosho wrote this on CEO Igor Krnic’s onecon-non-debate forum:
If this indeed is written by the real Konstantin Ignatov (I can hardly believe it) the mess and confusion cannot become bigger 😀
NOLINK://onecoin-debate.com/viewtopic.php?f=2&t=4252&start=250#p9511
^ Yeah I have that WhatsApp message. Either Konstantin can’t spell even his last name, or it’s not really Konstantin. But nothing in this charade anymore surprises me, so decide yourself.. 😀
https://image.ibb.co/fO0T2p/igniatov.png
In Siberia (Russia) there is also a scam event:
NOLINK://share-your-photo.com/c220550f67
Unbelivable if the Konstantin’s message is real!
Igor writes on his forum:
I, for one, recommend OneCoin people to read book “The Trial” by Franz Kafka.
They can immensely identify with the life experience of Josef K, where they are in part of the mysterious process where everything is unclear and uncertain, even unreal. You have no idea what you can do or where you can go to advance your case; there are little official channels or written rules through which people who control yout fate communicate their will.
You have bouts of rebellion and resignation; but every time you try defy the system, it seems to make things worse. Everything on which your fate depends is devilishly unofficial.
It’s all futile because in the end, no matter what, you will be decapitated.
NOLINK://share-your-photo.com/1fe17bec52
OneCoin and Alibaba? Oh yes, I remember. Already in 2016 this fairytale was spread:
NOLINK://share-your-photo.com/649c7a1de0
Not this Alibaba joke again. 😀 It’s really old..
The fricking coin and DealShaker is similar to play money game children play. It’s fun, but nobody gives any real value to it outside the game.
Unfortunately OneCoin merchants are even Greater Fools than OneCoin members and children, exchanging play money to some real things.. Even kids realize they don’t give their valuable things in exchange of play money which has no value in the real world.
Konstantin Ignatov distributes flowers in the cemetery for deceased cryptocurrencies: 🙂
NOLINK://share-your-photo.com/1f66ccd9d6
What a priceless example of the financial ignorance of the people who get goose bumps from “exciting Ponzi news” like this.
Alibaba currently has a market capitalization of 462 billion dollars.
While it’s possible that Ruja Ignatova and her band of gypsies made off with hundreds of millions of dollars, the notion that anyone connected with the OneCoin/OneLife SCAM has the assets to acquire a company worth close to a half a trillion dollars is clueless.
SD
Yeahhh Onelife is going to buy alibaba, amazon and ebay. Anf if there is any cents left in their wallet maybe apple too.
RE:
Hmmm. some quick math here:
120,000,000,000 coins x 20.75 euro (x1.17 Euro to USD conversion)
(soon to be 27e or 29e, but we’ll use the former KNOWN value)
….Onecoin’s market cap laughs in Ali Baba’s general direction, topping out at over $2.9 TRILLION!
How many Monopoly Board Games banks would it take to equal this total?
Money in the Bank (Points to Ponder)
In pre-2008 Monopoly games, the bank starts with $15,140 in cash. In games made after September 2008, the bank has $20,580, accounting for inflation, of course.
SOURCE: NOLINK://www.thesprucecrafts.com/how-much-money-does-bank-have-411884
The answer is: just over 140,913,500 Monopoly Money Banks (or complete board games)
Although the first iterations were invented in 1904 and sold under various names, Parker Brothers picked it up and broadly marketed it in 1935.
Over 250 million sets of Monopoly® have been sold since its invention and the game has been played by over half a billion people making it possibly the most popular board game in the world (citation: Jul 23, 2018).
So, accounting for pre-2008 (where Monopoly printed approximately $50 billion in fake money annually) what took a children’s game over 100 years to actually distribute, Onecoin has accomplished minting almost 75% of their own fake money in just 44 months – on an SQL server.
@Timothy Curry
I would like to remind you that Ruja does not need Monopoly Money Bank. She bought an offshore bank years ago:
NOLINK://share-your-photo.com/140d805581
NOLINK://share-your-photo.com/dbf904e613
Melanie, you break Ruja’s heart when you’re not being precise with the bank story! Let me refresh this a bit:
October 13th 2015 the OneCoin country director of Finland issued a press release, apparently translation of OneCoin official press release: OneCoin had bought a bank. Not just any bank, but specifically it was Hermes Bank, located at island of St.Lucia.
On 14th of October Hermes Bank responded to a query that they have nothing to do with OneCoin, nor have they been bought.
(The name of bank disappeared from press releases soon after.)
So far this has also been covered in BehindMLM (here).
On 12th of March 2016 – 5 months later – Tommi Vuorinen (the OneCoin country director of Finland) was in an interview where this topic was brought up.
The article says that according to Vuorinen “some bank was nevertheless bought” and “the company will inform about it in due time”.
Press interview is (here).
Mere 2 and a half years later – soon 3 years from the original press release – we still haven’t hard a single word about the bank.
But I suppose it’s just not due to tell about it yet?
Onecoinico site access restrictions now seem to cover pretty much all EU-countries.
The following countries I already verified are denied access to onecoinico site:
Austria, Belgium, Bulgaria, Croatia, Cyprus, Czech Republic, Denmark, Estonia, Finland, France, Germany, Greece, Hungary, Ireland, Italy, Latvia, Luxembourg, Netherlands, Poland, Portugal, Romania, Spain, Sweden, UK.
EU countries not tested: Lithuania, Malta
onecoinico site access works at the moment from following EU countries: Slovakia, Slovenia.
onecoinico site access works in NON-EU countries:
– Norway, Switzerland, Serbia, Iceland, etc.
– Countries outside Europe.
@Melanie – I love that you’re busting out the OneCULT old school archives! It’s like hearing my favorite songs that take me back to Prom Night, but to the time when I began my travels down Ponzi Lane for the first time!
I attended the big “USA LAUNCH” in Downey, California in June 2015, already over 2 years into crypto, and knowing, of course, that Onecoin was a big stupid ponzi scam.
I witnessed the stage antics of Sal Leto and Maurice Katz, as well as “Dr. Breakthrough,” first hand.
Sal talked about how you would be able to send Onecoin anywhere in the world, like bitcoin, “for 99 cents” (although bitcoin transactions at that time averaged 3 cents on the low side and 7 cents on the high).
That “Dr.,” the first of many in Onecoin whom I’d come to study, made Spinal Tap sound like meowing kittens with his voluminous lungs and crack-like fueled enthusiasm, as her busted thick wooden boards for the audience, sweating, breathing, grunting and screaming at the volume of “13.”
The cacophony of boards crunching and his boisterous vociferstion somehow motivated the otherwise timorous audience to line up to overturn their wallets and hard earned cash to the sideshow and sect for invisible vaporware ponzi points.
What I really came for though was to see the “Awards Ceremony!” I met and casually interviewed Kevin Foster during a break, who had just recently completed his 5th Level “Tycoon Trading Package.”
He stood onstage with his wife, bragged of his downline which he was building/ “sharing the good news with,” and received a Certificate and everything, to much applause and glee from the now rabid crowd. I think one of “Dr.” Ruja’s handlers may have even signed her name in it for him!
What surprised me, even despite knowing the “end game” was the fact that after several expensive “Education Packages” leading up to his €5,000 one was the fact that he literally couldn’t even hold a conversation about cryptocurrency and had no idea at all how mining of any cryptocurrency in the world worked.
I think the most significant thing he learned was that if he “clicked a button,” coins were magically mined and agitated a few weeks later in his back office.
How? Well, he didn’t need to know or think about any technical things, because the company and Ruja were there to do that for him, God bless them.
By the way, it was Glenn Smith who brought OneCon to USA, I’m almost positive now; with the help of Sal, Maurice, and I think McMurrain after them.
My disgust in that event left me with a feeling akin to a stomach acid burp that escaped into my mouth. And the Forbes cover and lies surrounding it, shortly thereafter, lead me to begin discussions with another favorite propaganda machine around that summer/ fall season – the former “private investigator” (I think maybe more like “Mall Security” or something of this nature), and 1st generation predecessor to Igor Krnic (Onecoin’s current “CEO”), Ken Labil.
In retrospect, I don’t know if K.Foster, Labine, and even Krnic began their OneCon careers as scammers.
Only that when pressure was applied, they became increasingly chameleon-like in their commitment to blur lines further and further into the “grey,” until the grey disappeared and they were clearly crossing and twisting the truth regularly and hustling fraud knowingly.
Joby Boughey called me “a fly on the wall, fighting against a company and movement which was ‘too big to fail.'” Silly me. I took that as a challenge, I guess, and have stood my position longer than any so-called “leader” from that entire era since.
Oh the memories.
So, Melanie, we’re planning a LIVE Zoom Cast on Onecoin following whatever nonsense happens on September 8th. A kind of “State of the Nation” REDUX, if you will, which Ruja promised a weekly return to after Macau, but must have gotten bored after her 1st and only one, before totally disappearing.
We’ve got some very good panelists, but only the addition of you could “make it great again.”
Hmm.. Jen says her access to onecoinico from UK works ok, so I don’t know what’s up. Can people in EU countries test the access to the onecoinico site please.
^ It was a cache issue. Onecoinico is blocked in UK also.
@Timothy Curry
I would like to participate, but there is a big problem for me: The English language. I am 69 years old and I learned the language 52 years ago, before studying Business Administration.
During my professional life, I never had to speak or write English, so I have forgotten a lot. So I’m constantly using Google’s translation engine to write my comments.
Nevertheless, I hope that you can understand my comments.
Sorry, but unfortunately the reality. 🙁
@Melanie – well, that’s a surprise actually. Maybe you could just do the slideshow 😉
@WhistleBlowerFin
Italy is closed!
NOLINK://share-your-photo.com/0609c8aa67
I’ll check the other countries later.
The Netherlands are also banned:
NOLINK://share-your-photo.com/6161ac47da
I noticed the same problem about half an hour ago, but now the site appears to be available in every country I can check (I’m using Tor).
I’ve checked Bulgaria, Canada, France, Germany, The Netherlands, Romania, Slovakia, Switzerland, USA.
Now I’m seeing the same error page you are showing from only *some* German and Dutch IPs; other IPs from Germany and the Netherlands are served correctly.
I believe it’s just a misconfiguration they are fixing. The behavior doesn’t make sense as a policy.
Finland is also banned:
NOLINK://share-your-photo.com/1ed15a68f2
@L.
I log in via VPN and publish only what I see. The brainless OneCoin idiot “flatrate” is also surprised: 😀
NOLINK://share-your-photo.com/7fdd6fc740
@Melanie, yes the OneCoin ICO site ban list so far is:
Eu Countries: Austria, Belgium, Bulgaria, Croatia, Cyprus, Czech Republic, Denmark, Estonia, Finland, France, Germany, Greece, Hungary, Ireland, Italy, Latvia, Luxembourg, Netherlands, Poland, Portugal, Romania, Spain, Sweden, UK.
Non-EU countries: USA
If someone can check Malta and Lithuenia, would be good.
For some reason Slovenia and Slovakia which are EU countries are not blocked yet.
@WhistleBlowerFin
Lithuania is also banned:
NOLINK://share-your-photo.com/c76a1d5b56
I can not check Malta, sorry.
NOLINK://share-your-photo.com/57186a6f7e
Was this deleted on onecoinico.io? I can not find it anymore.
For Igor Krnic, the Chief Excuse Officer, the world is still alright. He can log in from Serbia on onecoinico.io without any problems. I just checked that with an IP from Belgrade.
@Timothy Curry
Thank you for your kind offer, but I think that makes me technically overwhelmed. You are young and you are a man – and therefore have more technical knowledge than me.
Yes it was. They are no more contacting exchanges. 😉
Has Igor said anything about the lost exchanges and/or IP-banning entire countries from the ICO of “the future global reserve currency”? 😀
@Otto
On onecoin-debate.com questions are asked, which are answered on behindmlm.com:
NOLINK://share-your-photo.com/b9220cd500
And Igor Krnic, who allegedly knows everything and wants to have the best contacts to the management in Sofia, is silent again.
PS: Oh yes, the ONE is still at 20.65 euros on DealShitter. Ruja’s “blockchain” is likely to be inspected. Oil change, new spark plugs, new V-belts and so on … 🙂
Melanie, of course I’m not questioning your good faith; I apologize if I ever gave that impression.
But from what I can observe (and the situation is still the same now) the site is accessible from IPs in every country, except *some* IPs in countries which are otherwise supported.
With the Tor web browser I can ask to reload the site with a new Tor circuit: the exit node will be chosen randomly (in any country), and the exit node IP is the address which directly contacts the target website.
Requests from most IPs in every country are served; some IPs are refused access (in a consistent way), but from every country I can see at least one IP that works.
This makes me strongly suspect a configuration error rather than a deliberate policy.
Seeing as its being blocked through CloudFlare, don’t they only offer specific IP range blocks and pre-set country rules?
Pretty hard to stuff that up. You have to intentionally configure CF to block specific countries or IP ranges.
It could also be that they are either:
* trying to block Tor but in a clumsy way, using some very outdated list of exit nodes (still the error page speaks of countries, not Tor);
* or officially not supporting some countries (as a defense strategy for later), but still allowing or encouraging interested participants to override those theoretical restrictions in a wink-wink-nudge-nudge sort of way.
He just recommends people read the book “the Art of War” from Sun Tzu.
@Oz
I logged in via Stockholm with the IP 80.67.8.188. But onecoinico.io states:
NOLINK://share-your-photo.com/5ceaf7ba04
I do not understand that, but maybe you or one of our readers?
Supplement: If I log in without a VPN on my real IP from Germany, I can not access the page also. But then my original IP will also be displayed. That’s why I will not publish a screenshot hereof.
Melanie: 2a00:1a28:1510:20:50a:200:0:10d8 is an IP version 6 address. 80.67.8.188 is an IP version 4 address.
Version 4 is almost universally supported on the Internet; version 6 fixes several design shortcomings from version 4, but it is not as widespread at the present time. It is not uncommon to have both available.
A single host is allowed to have multiple addresses.
What you say is very unlikely, because all non-EU European countries (like Norway, Switzerland, Serbia, Iceland etc.) work fine, but at least 25 EU countries have been practically blocked.
Sure, the blocking may not be perfect, but this can’t be a coincidence.
@L.
Thank you for your explanation. That’s too complicated for me. 🙁 So I switched to smoke signals: 🙂
NOLINK://share-your-photo.com/17338b2021
I’m puzzled. Looking for a counterexample to test your claim I found the exit node 176.126.252.8/2a02:59e0:0:7::12 in Romania, and then 195.176.3.20/2001:620:20d0::20 in Switzerland that the site or cloudflare refuses to serve, misidentifying both as “US”.
Both reproducible by reloading the page multiple times.
The blocking is very imperfect, in any case. It’s very easy to find a Tor exit node which can access the site from any country populated with exit nodes. In fact most appear to work now, which makes me think of a whitelist for Tor, implemented using an outdated list of exit nodes.
I can also access the site, without using Tor, from my ordinary IP addresses in France and Iceland.
Sorry if this sounds condescending, because I mean the opposite: if you manage to do what you do with an imperfect command of English and without specific studies, at 69, you are awesome.
In fact I have difficulty believing all that, and suspect that you may actually be some young person hiding behind a false identity for anonymity reasons.
I doubt the blocking uses a list of blocked IP addresses as its base; the error message still is “The owner of this website (onecoinico.io) has banned the country or region your IP address is in (FI) from accessing this website.”
Iceland works OK, it’s not EU country.
Accessing from France gives me this: The owner of this website (www.onecoinico.io) has banned the country or region your IP address is in (FR) from accessing this website.”
IMO it’s clear their purpose is to block EU countries and USA, and like with any blocking, it’s not always perfect. And in any case, it’s easy to bypass with Tor or VPN..
I suspect the blocking is in effect because of legal reasons; OneCoin doesn’t have any licenses from anywhere to sell assets, and also contrary what Igor Krnic tries to say, the German investigation is still on-going.
The likelihood of OneCoin specifically blocking TOR when non-TOR users in specific countries are reporting being blocked tips the balance in favor of simple country bans set at the Cloudflare edge.
For whatever reason, OneCoin doesn’t want investors in specific jurisdictions accessing their new OFC shitcoin unregistered securities offering.
@L.
Why should I lie to you and all the other readers? Do you believe in the prejudice that old people in the head are no longer fit? Sometimes the user writes here called “Santa Maria”, who knows me since 2015 and can confirm that I am an old woman. Although I know theoretically how the Internet works, I can not explain technical details. I think that is a special task for men.
I use VPN to protect myself, because in the past I have often received angry letters from so-called “lawyers” who have worked for fraud companies.
says the person hiding behind a letter as a name. lmao! when all you got is playing the ‘anonymous’ card, you have nothing.
Finally! Igor Krnic has surrendered. No fairy tales, no lies, no excuses:
NOLINK://share-your-photo.com/d16f065aa5
My comment #132 was an attempt of writing a compliment in a slightly creative way. It clearly didn’t come out as intended.
I certainly won’t criticize anybody for caring about privacy. And no, I’m not seriously insinuating that Melanie or anybody else is pretending to be somebody else, or doing it for malicious reasons; not that there would be anything wrong, again, if the intent were to stay anonymous.
I was just saying that Melanie shouldn’t worry if she doesn’t understand the intricacies of IPv6, when she obviously understands quite a lot and starts in a position of disadvantage compared to many of us.
I apologize if my message sounded offensive. Again, it was intended as the opposite of that.
@ L.
I can understand your doubts. In Germany, many people know me, my full name and my e-mail address, but here, too, some people think I’m much younger.
Maybe my writing style is the cause? Before I die, I want to chase and expose many scammers. That gives me strength and endurance.
Melanie, I have no real doubts about you. I meant my comment as a way of telling you that you are indeed impressive, and you should not worry about not mastering some minor technical detail.
Once more, the last thing I wanted was to offend you and I apologize again for my clumsy attempt.
@ L.
Okay, let’s end the discussion. It is much more important to report on the OneCoin scam.
The OneCoiner are extremely active, but their “events” are no longer announced on onelifeevents.eu, but mainly via Facebook. The focus is on promoting Ruja’s DealShitter portal.
I give you my hand. Peace! 🙂
Now Igor Krnic claims:
NOLINK://share-your-photo.com/beca2327d5
Thanks.
The exchanges were removed on onecoinico.io, but the button is still there. Of course without function. Just another example of how “professional” fraudsters work in Sofia!
NOLINK://share-your-photo.com/f1c1342f31
Are now even “OneLife NewsLetter” forged?
NOLINK:share-your-photo.com/f62d225948
I doubt that this “newsletter” comes from the fraud center in Sofia. If I am properly informed, the last “official” newsletter of Konstantin Ignatov was published on June 11, 2018.
NOLINK://share-your-photo.com/8c88db3e98
The fair and unbiased reporting/ discussion on CEO Krnic’s “Onecoin (mas)De(r)bate Forum,” brought to you by “(OLN Logo +) GiftCodeFactory [cheers] is beginning to see some dissention.
Formerly passive sect members may be hearing the first cries for logic and reason echoing in their otherwise OC leased brain cavities.
Unfamiliar with Ponzi absurdity and overt complexity for that which was supposed to “make crypto easy for the plebeians” with “one-click mining,” “built-in AML/ KYC (making crime impossible),” and “money which could never be lost,” certain individuals are beginning to ask formerly “stupid” and still sanctionable questions like, “What is difference between IPO ‘OFC’s,’ 2017 IMA ‘OFC’s, and ERC20 ‘OFC’s!?!?’
IMA ngkinyuen:
“This ICO/OFC (token to be exchange for Onecoin) is not the same thing as the IPO/OFC (Future Certificate to be exchange with Company public shares). Please read the respective T&C. Its really stupidity of the company to use the same abbreviation.”
@ngkinyuen – Really? Stupidity to whom?? Those scamming you? Naw. They’re counting on you victims only rowing the boat with one left oar! “Just be patient and await word from the Oracle’s:”
Sept. Week 1: “The BIGGER Reveal”
Sept. Week 4: “The Even BIGGER Reveal”
Oct. Week 2: (postponed)
Dec. Week 1: “The REALLY Even Bigger Reveal”
Q2 2020: “The BIGGEST Reveal”
2025: (postponed) “Coming Soooon!”
2030: (postponed)
2088: “THE ULTIMATE Reveal COMBO”
….
Since 26 March 2018, “after a short creative break” 😀 , OneLife Newsletters are published in the onelife dot eu back-office, section Information Center, each Monday.
27 August 2018 is the last one indeed.
@OneCoin Squad Sofia
Okay, thank you very much. My mistake. I found the newsletter on an unofficial page:
NOLINK://funclip.site/funclip/cQH1eOUoID8/onelife-newsletter-august-27-2018
Nope, it is very much intentional.
Originally the IPO plan was put together to:
a) Exchange the Ponzi-point OneCoins to OFCs that have no monetary value and that cannot be sold forward. This would reduce the amount of Ponzi-points in circulation, easing the pressure to pay promised returns to the “investors”.
b) Provide an exit plan where “investors” will get seemingly valuable stock (that inevitably plummets shortly after going public), creating the illusion that scheme was valid and collapse is not a result of the whole setup being a Ponzi scam.
At the point the scammers running the OneCoin Ltd. figured out that they cannot do IPO and execute their exit strategy that way, they moved to the “ICO” plan. However the poor “investors” had already bought OFCs. The OFCs are perfect for the OneCoin Ltd. as they hold no monetary value and therefore have zero cash-out pressure on them.
Since Onecoin Ltd. does not want to exchange OFCs back to Ponzi-points, the ICO plan was ALSO made to use “OFC” as the term for the “non-monetary value tokens” that once again decrease the pressure to do payouts and leaves the “investors” under the illusion the OFCs they hold will have some value in the future.
Repeat the previous to see why latest ICO has same “OFC” term still in use. 😀
Will the old OFCs be exchanged to the new OFCs and will those be exchanged to the even newer OFCs? Or will all OFCs be exchanged to ONEs at same rate? Only the scammers could tell.
The naming aims to at least maintain the illusion that something like that will happen.
At OneCoin, the right hand does not know what the left one is doing. Although I registered on onecoinico.io with a German email address, the registration was successful. As you can see, the registration takes place via the domain bestelm.com:
NOLINK://share-your-photo.com/d14644e339
After that I received the following e-mail:
Below the text the button: “Join the Financial Revolution”. Since I love revolutions, I clicked the button immediately. With this disappointing result: 🙁
What did I do wrong? I also want to become a OneCoin millionaire, right now !!!
A Rube Goldberg machine is a machine intentionally designed to perform a simple task in an indirect and overcomplicated fashion. Often, these machines consist of a series of simple devices that are linked together to produce a domino effect, in which each device triggers the next one, and the original goal is achieved only after many steps.
Over the years, the expression has expanded to mean any confusing or complicated system. For example, news headlines include “Is Rep. Bill Thomas the Rube Goldberg of Legislative Reform?”[1] and “Retirement ‘insurance’ as a Rube Goldberg machine”.[2]
The expression is named after the American cartoonist, Rube Goldberg, whose cartoons often depicted such machines.
Most OneCoiner talk or puzzle about the meaning of OFC. I found an interesting post for that:
NOLINK://share-your-photo.com/4436b1bfda
If I read the list of names, you might think you’re reading an Interpol wanted poster. Was only an old scam reheated here?
nolink://youtube.com/watch?v=qybUFnY7Y8w
Nice example of Rube Goldberg machine in action and amazing one-take shot music video.
Sorry for off topic, but I cannot resist. The discussion about OneCoin, a long time ago dead horse, became rather boring… I think we all need a break and touch of something positive… and “this too shall pass”!
OneCoin bought what was left of Unaico (The Opportunity Network) off Frank Ricketts.
In exchange for whatever they paid him, Ricketts set up OneCoin’s shell company money laundering network (IMS Services etc.).
By that stage the Ponzi was well up and running. Ricketts was paid to keep the wheels greased and turning.
That’s why he was never truly in the spotlight. Too much heat.
Muhammad Adeel sought new victims in India today. The halls are getting smaller and smaller and the guests less and less:
NOLINK://share-your-photo.com/d1bfc41818
In the past, the OneCoiner could gamble their millions in Ruja’s casino coinvegas.eu. That is no longer possible today. For the nostalgics among our readers here once again Ruja’s invitation:
NOLINK://share-your-photo.com/06aa68aa66
If anyone is interested: For 1,850 euros plus 19% VAT, the domain is to acquire.
@Melanie
The more study, the more I’m convinced that Glenn Smith was involved in this set up of Coin Vegas, although I can’t claim this definitively at this time.
You also have another MLM’er and author named Denis Murdock from Last Vegas, whose been STILL very active in the USA, promoting The unlicensed and unregistered Security/ ponzi scam, OneCoin, on Medium with numerous bullshit blogs filled with demonstrably outrageous lies, since 2016 and very well into this year.
I didn’t recall his specific occupation, so I went to check out his formerly active LinkedIn account to find that it has just recently been deleted!
However, he still seems to lead Meet-Up groups, perhaps still pushing the scam under the guise of “hiking in nature” and such. Calls himself a “cryptocurrency expert/ advisor,” as I recall.
Here is one such group: NOLINK://www.meetup.com/DigitalCurrencyMastermind/messages/boards/thread/49574136
Worth many hours of study, I personally believe that, like Smith (now shilling “Ormeus” scam with some whom you’d very much expect), he plays a major U.S. role, somehow, from an operations standpoint, as particularly key areas in Onecoin USA ops seem to be: Las Vegas, Florida, Los Angeles, San Francisco, Orange County and possibly Denver.
These 5-6 specific areas have continued to pop up in my “deep dives” investigating alleged management of Onecoin USA.
I’d like to know more about this Denis Murdock character and his associates, because I have “hunches,” but haven’t made any crystal clear connections.
The fact that his LinkedIn page is still cached, but disappeared very very recently leads me to believe could be on top something. I hope the FBI is also.
#JusticeIsComing
Traditional live events are increasingly being replaced by online webinars:
NOLINK://share-your-photo.com/3202c2afe6
We all know that Igor Krnic is a notorious liar. He is from Serbia. But there is another notorious liar from Serbia – his name is Dusan Torbica. I looked at his Facebook account, where he proudly presents himself with the fraudulent “Global Manager” Konstantin Ignatov:
NOLINK://share-your-photo.com/9f8023b57c
Dusan Torbica calls himself a member of the so-called Global Leadership Group. Now and then he also writes a post in Igor Krnic’s lies and fairytale forum onecoin-debate.com.
The long ago announced White Paper of OneCoin was finally published – on Twitter:
NOLINK://share-your-photo.com/e5a9eb6b3d
Konstantin Ignatov writes:
NOLINK://share-your-photo.com/ae670d134f
An editorial contribution – or paid advertising, as so often? I refer to Ruja’s disgrace with the Forbes cover!
A OneLife “Diamond” named King Jayms obviously plans a tour to various countries or cities like:
NOLINK://share-your-photo.com/6deb0e59b3
Melanie from Germany:
Sure thing it is a paid advertising. Above the title it says “Publirreportaje” and according to Wikipedia, this means Advertorial or Infomercial.
So it is once again nothing but advertisement masked as editorial content.
@Garden
Okay, thanks. I thought so. No reputable magazine or newspaper would print Konstantin’s collected fairy tales. And of course not his lies.
Is Jose Gordo now the “official” successor to the so-called “Master Distributor” Sebastian Greenwood? Sometimes he was also called “Global Master Distributor”…
NOLINK://share-your-photo.com/28791ffafc
I looked up numbersmagazine.com on alexa and it ranks at around 10 million. That doesn’t equal 10 million readers.
You may recall the German crypto journalist whom Onecoin attorney’s handed a lawsuit and legally intimidated for publishing details about the Ponzi: The Correspondent editor?
Well, sounds like the scammers are pretty powerless once again, although there’s a temporary gag order until its made official, the results of which should be published around the time of Onecoin’s latest Going No where/ #FACEPALM date on October 8th:
SOURCE: coinspondent.de/2018/08/31/update-onecoin-gerichtsverhandlung/
@Timothy Curry
Yes, I received this e-mail from Friedemann Brenneis today:
NOLINK://share-your-photo.com/f8ecd952b3
ATTENTION!
The scam on onecoinico.io is getting grotesque. And more primitive. Now there is an incorrect email address specified:
NOLINK://share-your-photo.com/85b4959271
The domain OFCCOINOFFERING.EU mentioned there is not registered! Here is the proof:
NOLINK://share-your-photo.com/aaa072ab10
Of course, my test email could not be delivered:
NOLINK://share-your-photo.com/ff7b82f757
Ruja was far more perfect than her brother and former bodyguard Konstantin. Stupid – more stupid – the most stupid? 😀
Hallo Oz,
read this Article:
westfalen-blatt.de/OWL/Bielefeld/3452155-Ehemaliger-Rad-Profi-stellt-Generalvollmacht-ueber-seine-geschaeftlichen-Belange-aus-Jan-Ullrichs-Berater-im-Zwielicht
this can be the end of onecoin, because Jan Ullrich was a tour de france winner in the past. Maybe the public look now a bit more behind onecoin.
Another scam event in Pakistan:
NOLINK://share-your-photo.com/57a4f9309a
Yes this was wonderful even in Pakistan today.. My community very excited with OneCoin and the future wealth it will bring.
They say today that we will hear of SCAM but I know that this is not and will bring generations of money to our people. thank you ..
Based on what exactly? Certainly not the reality of the last four years.
Some guy wants to sell a Swiss villa belonging to a Tour de France drug addict in rehab, and pump the proceeds into OneCoin?
Relevance? What am I missing?
Sir. I am not understand. Our community dont look at past 4 years but at the power of the future.
Pakistan is very much thrilled about Onecoin and what this offers. Our country is rich for a coin like this.
The presentation today makes excitement everywhere. so thankful for items like this in our country..
if it wasn’t, you wouldn’t need to be here defending it. that’s what you scammers don’t get.
Well there’s your problem.
From the sounds of it “your country” is full of gullible schmucks with zero business sense.
Another change to onecoinico.io. The button “Our Partners” is still available, but without function. The point has since been deleted.
Here is a screenshot of what has been deleted:
NOLINK://share-your-photo.com/ce6e25d47d
Supplement to comment #169
For comparison, the old email address on onecoinico.io, as it was displayed on August 23, 2018:
NOLINK://share-your-photo.com/e1af529e68
“with zero common sense”.
There – fixed it for you.
@Inzaman Haquel
How is Muhammad Zafaar, is he still around in Pakistan promoting OneCoin? I don’t think so.
New leaders and new sheeple is needed who still after 4 years can get excited of the play money which can’t be sold.
Play money which value is decided by career scammers in Bulgaria who write this number to your BackOffice, and you cheer everytime it goes up, even though nobody will actually give you real money in exchange.
Then some Greater Fool merchants even offer coupons in exchange of this play money. Unbelievably smart. Go Pakistan…
“OneLife Magazine” lists NO PUBLISHER or Authors in its magazine. Curious, right?
Anyone able to find any evidence or proof as to where this magazine might be published from? …or by whom?
NOLINK: onelifemagazineima.com/onelife-magazine-ima
*NOTE: Viewing the video at .25 speed reveals its complete anonymity, from cover to over.
Hasn’t #Transparency always been one of the motto’s?
@WhistleBlowerFin
Muhammad Zafar is often asked if he still works for the OneCoin scam. But he never answers:
NOLINK://share-your-photo.com/6c038716e4
Meanwhile Muhammad Zafar is interested in real cryptocurrencies – like the BitCoin:
NOLINK://share-your-photo.com/4c97d99a9a
I can not call his scam portal drzafar.org because my antivirus program warns against it:
What’s that clown with the red pants and hat? This is how it appears today in Barcelona, where Konstantin Ignatov is supposed to speak today. Also this hall is comparatively small:
NOLINK://share-your-photo.com/f49df222c5
In Singapore, a so-called “Dealshaker / Mastermind” will take place from 31 August to 3 September:
NOLINK://share-your-photo.com/113c643907
In Germany we say: “Paper is patient”. I would like to see the purchase contracts. In the original, not as a photocopy.
NOLINK://share-your-photo.com/07a13c0a26
Strange! DealShitter still says today:
My guess was he was demonstrating how he was on “fire” with all the exciting news from OC. Either that or he was hoping the red pants would keep the attendee’s awake.
Of course with the hat, his red pants, no socks and clogs he may have been showing OC for the clown and circus act it is.
OneCoin is a shark eating other cryptocurrencies:
NOLINK://share-your-photo.com/0b570b4bd0
With OneCoin missing arguments must be replaced by cheap and ridiculous video’s.
Please God, let Onecoin, or Onecoin OFC#1, #2 or #3 be outdated on an ACTUAL and respectable Exchange, so that it can die just as fast as Frank Rickets, Kenny Nordlund, and Sebastian Greenwood’s previous scam before Onecoin and BigCoin, called “Unaico/ SiteTalk/ OPN.
I think if I were an Exchange, I would list it IMMEDIATELY (with caveats, but in the spirit of the free-market, just to bury this thing more quickly and demonstrate exactly what The Market” sentiment is about wallet-less, blockchain-less, pseudo-cryptocurrency scams are in this space.
Ps. Someone just lead me to a Juha Parhiala post/ comment which apparently mentionins 2 of his newest projects, one of which was described to me over Signal as “a new “ICO” hitting the market,” for which Parhiala stated o.j. his Facebook account:
When asked by a FB follower (apparently), Asaha Hadjail Jumadit, 3 weeks ago, who said:
“Congrts (sic). What is company?”
Parhiala’s response was:
“solidusglobal.com
With an additional comment below it:
“www.WinstantPay.com”
WinstantPay, which I’ve never before heard of, seems to have made some interesting partnerships, according to my source, and it brings “TSG Technology” into the payments space,” according to what the alleged member of The Anonymous Collective has insinuated over Signal.
Not sure what, why or how this may or may not have anything to do with anything, but Parhiala posted some images on August 6th, at 1:03PM regarding this, and I get messages like this all the time.
Not sure if worth looking into.
Lmao. The real cryptos avoiding the shark/scam.
Only the uneduacated (<< one of the Onecointology fav words) fell for the shark/scam (Yeah a real shark is not a scam, but on this pic it is).
also it shows how aggro/danger OCT is.
The Barcelona event was really something. 😉 youtube.com/watch?v=C-WuzSYUvqg
I can tell you another thing I love about cryptocurenncies. It cuts out the thrid party (21:35)”, says Con-stantin, a representative of a third party.
“Banks charge you money to make money with your money.” This is not how banks work. And I guess interest rate paid to money depositors is not invented yet in Bulgaria.
“We have the highest liquidity of all” (27:20). Too bad that the “currency” is not traded in markets which means it doesn’t have any liquidity at all.
“Most coins, the biggest market capitalization”(27:30 –>), “Last year we utilized over 130 million coins. This means not only the biggest capitalization, we already have the experience is using it.”
How can something that is not traded in markets have any market capitalization? 130 million coins they “utilized” probably refers to the amount of coins they destroyed when they deleted Kari Wahlroos’ and Igor Alberts’ accounts. 😉
No major news as far I can tell. Some new education courses and preview of new upcoming DealShaker features. Nothing on coin offering except vague and corny inspiratonal emptytalk at the end.
Of course, Dusan Torbica (GLG member) has no real arguments to follow the OneCoin scam even further.
Instead, he points to a meaningless video less than two minutes long:
NOLINK://share-your-photo.com/3211c25301
Indian folk wisdom. 😀
NOLINK://share-your-photo.com/2ad85872b3
The user Onecointruth on Igors forum touched on those same 2 points and wrote he does not agree with how Konstantin misleads the audience.
Of course Igor deleted that comment in minutes as I have seen him do more and more over the past few days. Great debate forum. LMAO.
It seems Igor has run out of excuses and has to resort to deleting posts and banning users.
Hello,
Asking some questions which were brought up here and on some OneCoin Facebook groups resulted to my permanent banning from Igor Krnic’s onecoin-debate forum.
The following message where I disagreed with Konstantin Ignatov’s claims, was deleted, and I was permanently banned from the onecoin-debate forum.
nolink://i.imgsafe.org/bf/bf8273629f.png
– (ex)-OneCoinTruth @ onecoin-debate forum
Not only in the headquarters of the fraud in Sofia is lied and cheated. Many IMAs work with dirty tricks. Here is an example from the website
NOLINK://www.onelifeonecoinsupport.com/2017/12/list-of-companies-who-accepts.html
Here is a very long list of company names.
The operator of the website wants to give the impression that all these companies also accept the OneCoin, which of course is not the case. But many visitors to his website probably do not read this sentence:
To prevent this website from being read by the search engines as text, the greasy cheater has uploaded this page as a graphic:
NOLINK://share-your-photo.com/a4654ce186
That’s old as hell, Tycoon package was lifted to 5,500€ price tag years ago.
I was looking for OneCoin’s ICO on this page:
NOLINK://icopulse.com/ico-list
I found an ICO for a coin that sounds quite similar: 🙂
NOLINK://share-your-photo.com/c7cd3e004f
@Otto
You should tell that to the Indian who still uses this as a header on his Facebook account:
NOLINK://www.facebook.com/OneCoinI/
Does the self-proclaimed “Cryptoqueen” still live? A OneCoiner who does not praise the Bulgarian scrap in the sky expresses doubts:
Of course, Igor Krnic did not react, but no other member of his forum either. Indirectly, the same IMA also voices hidden criticism of OneCoin’s “business model”:
Of all the comments that have ever been written on onecoin-debate.com, this is one of the most readable:
NOLINK://share-your-photo.com/84bd947ac4
Announcement:
NOLINK://share-your-photo.com/510ae65727
That’s giving Ruja and the gang far too much credit.
People just don’t want to admit they were naive idiots who fell for it. We pointed out OneCoin was a Ponzi scheme in 2014.
I am completely confused! Ruja has risen from the dead. But not as Ruja Ignatova, but as Ruja Ignotova:
NOLINK://share-your-photo.com/bc2c758837
NOLINK://share-your-photo.com/4c92326c69
“Ruja” should not drink so much alcohol! She can not write her own name properly anymore …
By the way:
OneCoiners should try to answer to this:
Onecoin has in their official statements said that they are “compatible” with the EU regulations, both current and future. They’ve said this since – like – forever. One of the main reasons was the KYC, according to Onecoin.
Then why is the ICO blocked for EU? Because of not matching to the regulations?
Igor Krnic told me, and I quote:
Now you know why, well according to Igor.
You can’t register an ICO. You have to register securities offerings and not every ICO is a securities offering.
Every MLM ICO is a securities offering, requiring registration with the SEC. Naturally Ponzi schemes aren’t keen on providing regulators with evidence of their illegal activity, and so we have no legally operating MLM cryptocurrency companies in the US.
All Krnic is doing is once again playing the role of Chief Excuses Officer.
Those of us on the outside will smirk at the thought of OneCoin being described as “well run”.
No company with constantly appearing and disappearing websites, contradictory information, senior leadership disappearing without trace, failure to meet promised deadlines, etc, can be described as “well run”.
How can this be reconciled with the idea “It must be a well run scam if it scammed so many people, and strung them along for so long”? Easy – you don’t need to run a scam well to scam someone if they aren’t very bright. OneCoin is exceptionally badly run, but nonetheless scammed thousands of people because thousands of people are exceptionally gullible.
It doesn’t take a genius to book a hotel room somewhere, blab on about imaginary future riches, and then collect everyone’s money. If that takes some sort of organisational genius then every minimum-wage receptionist and unemployed ham actor is a genius.
It is understandable that people who are gradually waking up to the fact they have been conned would want to believe that OneCoin’s leadership must be master criminals to have scammed them. Unfortunately this is just further reality-denial.
This is why we back up Igor’s forum and other OneCoin sites nowadays regularly and every time we see something interesting, so it can be kept as proof.
Here’s the Web Archive link for this thread on Igor’s forum:
https://web.archive.org/web/20180902143037/http://onecoin-debate.com/viewtopic.php?f=2&p=9561
Here’s the current and web archive side-by-side showing the message which Igor deleted.
Obviously pointing out the fact that Konstantin is full of BS was too much for Igor. No surprise.
https://image.ibb.co/k0EW4e/Igor_censor.png
Under the video of Konstantin Ignatov in Barcelona I found this fitting comment: 😀
NOLINK://share-your-photo.com/92466c0c9e
So dress today “Global Manager” from Sofia:
NOLINK://share-your-photo.com/029b7da080
Konstantin Ignatov:
Job? Which job? Is lying and cheating a recognized job?
The top quote of today comes from Finnish MuroBBS:
“Ruja & co. are like Robert Mugabe of Zimbabwe – they have turned everyone into a millionaire and at the same time made sure those millions aren’t worth Jack shit.”
The top quote of today comes from Finnish MuroBBS:
“Ruja & co. are like Robert Mugabe of Zimbabwe – they have turned everyone into a millionaire and at the same time made sure those millions aren’t worth Jack shit.”
😀
The thing that worries me most (looking at the comments) is that nobody seems to notice this is a fake account.
Braindead beyond what even I thought was possible.
Ruja’s real account was taken offline about a year ago. At the same time most other facebook accounts (like OnelifeOfficial, OnecoinOfficialPage and such) were all pruned of any photos and mention of Ruja.
Don’t expect to ever see her again.
@Dutchie
The idiot who founded this fake account obviously does not know that Ruja definitely does not want to be called a “CEO” any more. And what does the header look like?
NOLINK://share-your-photo.com/68f5c23d31
Here again the comment of “OneCoinTruth”, deleted by Igor Krnic, so that it can be entered by the search engines as text:
************************************************
Re: Onecoin announced the roadmap to public
Post by OneCoinTruth » Sun Sep 02, 2018 3:59 pm
OneCoinTruth wrote: ↑Sun Sep 02, 2018 12:22 pm
The company doesn’t seem to have any hurry to introduce the coin to the public market.
Konstantin said yesterday in Barcelona how the coin already has the highest liquidity and the biggest market capitalization.
NOLINK://share-your-photo.com/aa3595b792
This photo was uploaded to Facebook 19 hours ago. A little crook praises a big crook:
NOLINK://share-your-photo.com/7cf9629a33
This is supposedly a donation to the so-called OneWorld Foundation:
NOLINK://share-your-photo.com/d90044333c
In an article about a German athlete, the WELT from Germany writes today:
NOLINK://www.welt.de/sport/article181405842/Nach-Entzug-Sitzt-Jan-Ullrich-in-der-Falle-der-Krypto-Mafia.html
RE:
Funny. Neither Onecoin, OLN or its leaders will accept OneCon for anything. But, when it comes to “charity,” the barn doors are wide open. Lol.
Seems like busting the OneWhirled Foundation charity scam would be easy cherry pickings for Authorities and Regulators if they wanted to shut down that arm and cripple the entire network because of it.
@Timothy Curry
That would be extremely easy!
According to public WHOIS info oneworldfoundation.eu has been registered by same PERSON and located at the same street address (12 Tsar Osvoboditel Blvd, 0001000 Sofia) as also:
onecoin.eu
dealshaker.eu
oneacademy.eu (also same shell company used)
onepay.eu
Let me repeat: All these URLs have been registered by same person to same street address, but different shell companies.
The shell company in question for One World Foundation is One Network Services Ltd. that has also been used for registering onelife.eu and onecoinico.eu. ONS also owned the first year 2015 bank accounts where the educational packages were paid to.
The dubious car dealer Kralev Cars Ltd. writes:
NOLINK://share-your-photo.com/ec56fc10b6
I am very proud to present to our readers two important personalities: A DEALSHAKER SPEACIALIST and aONEACADEMY GURU: 😀
NOLINK://share-your-photo.com/510002e84a
We will meet in Jamaica on the 15th of September. I pay the entrance fee for everyone. 500 JMD correspond to 3,134780 euros.
Now the upcoming event in Dubai is being announced in big words and many emoticons:
The trick of putting OneCoin members off schedule for the next appointment still seems to work. Always following the motto: “Coming soon!”
NOLINK://share-your-photo.com/6e089bb8f8
RE:
This looks like a job for Spiderman!
@Timothy Curry
Is there any regulation of charities in Bulgaria?
If it was registered in the UK the normally toothless Charity Commission could be relied on to launch an investigation and eventually chase them out, but I rather doubt there’s an equivalent body in Mafialand.
Hey, it was AOK for the Bulgarian regulations that the OneCoin shell companies own each other:
Shell company #1 owns 100% of shell company #2.
Shell company #2 owns 100% of shell company #3.
Shell company #3 owns 100% of shell company #1.
This is fine.
There is and here’s the link to the agency:
NOLINK://blacksea.bcnl.org/en/articles/40-bulgaria-law-on-nonprofit-legal-entities.html
One Life Charity is registered in Bulgaria. Here’s the link to their registration:
NOLINK://charity-charities.org/Bulgaria-charities/Sofia-1664691.html
I did not see a link to file an online complaint or how to file a complaint, so I sent off an email to see how you file a complaint against a Bulgarian Charity. As soon as I hear from them I will let everyone know what they said.
same smile, same behavior, same lies; Konstantin Ignatov, Jose Gordo, Julien Zerbini. Don’t forget to save a maximum of theses videos; just in case theses scumbag try to disappear 🙂
nolink://youtube.com/watch?v=kWEPyFHE5KE
A message to all doubters and haters:
NOLINK://share-your-photo.com/bd9e2ce124
My opinion: If you do not buy “education packages”, OneCoin will never understand.
Because it is ERC20 token ICO not OC that is blocking EU countries and some other countries.
Lets put this here too.
OneCoin seems to have unblocked most of EU for the onecoinico.io site. With a brief test only France and Germany are still banned in EU (can someone verify France block).
It’s time to contact financial regulators also in EU countries about OneCoin selling asset token totally without any license, WhitePaper or even a team.
@WhistleBlowerFin
France is banned, Germany too:
NOLINK://share-your-photo.com/204de44315
@Otto
What do you expect from a country like Bulgaria, where corruption is still widespread? Here is an interesting statistic:
NOLINK://share-your-photo.com/71a62c485b
In a comparison OneCoin against BitCoin it is still claimed that OneCoin is audited monthly:
NOLINK://share-your-photo.com/8b5bbaf59b
Muhammad Zafar writes today on Facebook:
NOLINK://share-your-photo.com/6289086ac2
OneCoin tries to focus all activities on the DealShitter portal. In an eMail many video’s are advertised:
NOLINK://share-your-photo.com/94b8dc5b3c
In this context, I recall Ruja’s (false) forecast of January 2, 2017:
NOLINK://share-your-photo.com/d880f84371
Now Konstantin Ignatov is also seeking new victims in Africa:
NOLINK://share-your-photo.com/fe32701e7c
Of course, the so-called “DealShaker Expo” in Singapore was a complete success:
Among other things, a form is shown, but what does that prove?
NOLINK://share-your-photo.com/098483adcf
On the website top-lank.com it says:
Does one have to understand that? I do not get it.
NOLINK://share-your-photo.com/f4a70f74b0
And of course those cars never were available as deals in the Dealshaker platform.
Because – you know – the people who invested into Onecoin would have tried to buy them and Konstantin would have to explain why the cars are not delivered. That is unacceptable.
This way they can say cars existed and were sold. Much better.
3,464,096 OneLife members want to know what their beloved ONE is worth on January 1, 2106. Here is the answer:
NOLINK://share-your-photo.com/a667201add
I can not tell if this is a private channel or the PAKISTAN BROADCASTING CORPORATION.
NOLINK://share-your-photo.com/b6d6af11ba
@Melanie
LOL, this is funny. Who exactly is claiming that 220 cars were sold with 100% OneCoin?
The company’s web address shows in the paper: top-lank.com
Doesn’t look exactly like a car dealer.. 😀
This is fricking straight up lies again, but nobody in OneCoin/OneLife cares. Some time ago they talked about ethical marketing, but it’s absolutely bullshit.
It’s hype like no tomorrow again. The scam seems to be back with the more aggressive hyping thanks to Konstantin becoming the head of OneLife as well.
And where were even the DealShaker coupons for the cars, because direct buying with OneCoins is not possible due to coin transfer restrictions. They have to use coupons for any OneCoin transactions.
Of course in reality cars won’t be sold with 100% OneCoin simply because the coin itself can’t be sold.
I remember time when Igor Krnic was worried about the “unethical marketing”. Not anymore, as he is now 100% company man, even silently deleting inconvenient messages. Everything is back again to full totally blatant scamming like no tomorrow.
My thinking is, that it’s because the time is finally running out. Excuses and delays won’t cut it anymore. Day of reckoning is getting close for OneCoin and its promoters.
Even the believers start to see that this is it, day of reckoning is coming. A Onecoiner just wrote on Igor’s forum: “OC must get its act together with DS and open exchange – this is crucial.
I am sure (hope) the leadership are fully aware of the current positive sentiment within the OC community and will not waste their last opportunity.”
Princess Diana has been dead for many years. But she still lives on that photo – and shop at DealShitter. This irreverent photomontage uses a OneLife member from Russia named Romana Yurchak:
NOLINK://share-your-photo.com/e7673fffc0
What is OneCoin? On this screenshot it is explained briefly but ingeniously: 😀
NOLINK://share-your-photo.com/60d7fa65b4
And again another scam event with Muhammad Adeel in Faisalabad in Pakistan:
NOLINK://share-your-photo.com/a213725b42
Well, it won’t be long until Musharrafali joins the permanently banned on Igor’s blog. He gave a list of 26 questions for Igor to answer, and there is no way he is going to answer them.
His only choice is to ban him or chastise him for asking all these questions and letting him know he isn’t going to waste his valuable time answering.
Just maybe the cult members are waking up that they have been had.
Poor guy. He’s asking questions from the viewpoint OneCoin wasn’t anything other than a slush fund for the Ignatova family.
Igor Krnic indirectly confirms that OneCoin does not have its own office in Dubai. Dubai and Belize are pure mailbox addresses:
NOLINK://share-your-photo.com/02f9c07fc1
For events you can rent a room, for a few hours or for several days. Google knows more:
NOLINK://share-your-photo.com/5edf74ea04
Don’t underestimate Igor’s ability to make excuses, how ever bad. Now Igor asks questions about ICO for the FAQ.
I have a couple quick questions in mind, but if anybody is planning to post these questions to Igor’s forum, remember you will risk being banned. So post on your own responsibility.
1. Does OneCoin have any license to sell assets, like the Coin Offering token, anywhere in the world?
2. What date people can start public trading of OneCoins? What are the restrictions in public trading if any?
3. This is a Coin Offering after about 4 years of creating OneCoins. How many OneCoins are already in circulation among the members? Or is the Coin Offering done without releasing this information?
4. Why is there no White Paper and Project Team presented on the ICO site? Those details are considered market practice for ICOs.
5. Why OneCoin is described on the oneocoinico site as peer-to-peer cryptocurrency, even though OneCoin is a totally centralized project, having no peer-to-peer properties what so ever?
6. OneCoin has been creating and marketing OneCoins around 4 years now. Why is the company not selling OneCoins directly in Coin Offering? Instead you use OFC tokens as intermediary which will be converted to OneCoins. What is the reason for using an intermediary token?
I managed to get Igor Krnic’s phone number, so I was able to do a short WhatsApp discussion with him, before he.. you guessed it, banned me..
Here it is:
https://image.ibb.co/fye1fK/Igor_Whats_App_mgs1.png
https://image.ibb.co/gHzj0K/Igor_Whats_App_mgs2.png
https://image.ibb.co/c7NMfK/Igor_Whats_App_mgs3.png
Important information:
NOLINK://share-your-photo.com/bd9ab82667
Konstantin Ignatov travels from Sofia Airport to Dubai with Rumen Dimitrov, Kristina Gouneva and Rosen Dimitrov:
NOLINK://share-your-photo.com/0f0a850f06
Konstantin is – as always – exemplary dressed!
So Konstantin travels to Dubai with 2 gorillas who are both professional fighters, and with a lawyer. Can’t say I’m surprised.. 😀
#BernieMadoffShit
Actually I must confess I am surprised that Igor took the time to answer all 26 questions. I figured he would just ban him or delete the post.
I am shocked that Konstantin doesn’t have a OC tat. He could always put it in the middle of his forehead to proudly display his pride in being the leader of OC.
NOLINK://share-your-photo.com/e2643241ea
As a reminder: On August 2, Muhammad Zafar wanted to start another business:
NOLINK://share-your-photo.com/5b4c333bd7
Now Zafar again pushes the OneCoin scam. Why?
@Melanie from Germany – RE: “…Bulgaria is coming.”
Konstantin is – as always – exemplary dressed.
RE: RE: NOLINK://share-your-photo.com/0f0a850f06
WOW!!! Talk about foreshadowing!! Can someone (ie., Melanie, Whistle Blower) flip that image, so that you can share the premonition advertised on the shirt of Onecoin’s latest and most formidable leader, KONmanStantin!!
I would myself, but am running late to a meeting.
@Of – can you publish that image, right way around, here in comments do everyone can see?? Thx
@WhistleBlowerFin
I don’t know why you even bother talking with Krnic. He is like every other MLM pimp, hiding behind lies and misinformation. Only difference is his role, where he portrays an IT/crypto expert.
When you get him cornered with facts, he will either try to counter them with bs / derail them, or go with the block/ignore using them as an excuse how he doesn’t have the time to argue with “haters/uneducated”.
He was previously involved with Herbalife, he is an advocate of quackery institute for natural medicine, even brought up on Serbian reddit how he helped sick people…Krnic is a not someone that should be debated with, cause he refuses to have a debate.
What he wants and accepts is only a blind faith, obedience from the sheeple and refuses to accept that there are more knowledgeable people then him (narcissistic disorder, very common in MLM).
His main focus is to continue sucking out money from gullible members, together with his ponzi friends: pbs.twimg.com/media/DcNWd07WsAARRLf.jpg
Beside Krnic and Konstantin are Serbian, Bosnian and Croatian leaders: (from the left) Dusan Torbica (SRB), Branislav Curcic (SRB), Damir Topic (BOS), Nikola Adzija (CRO), Zoran Stupar (SRB), and Marinko Paric (CRO).
Krnic is and always was an accomplice in whole scam.
@(me) – RE: (foreboding)
I was trying to read the shirt backwards and got everything except for the “in Friday the 13th”
So, I saw the rest which I thought was so applicable to Onecoin victims (but couldn’t make that part out, on my phone. Backwards. Driving). Lol
…unless that’s a significant date, of course (conspiracy theorist theory). Lol
What do you do if you do not find new victims for the OneCoin scam? Here someone tries it with an ancient video of Ruja and an infamous lie:
NOLINK://share-your-photo.com/2b8ec064b6
The first video from Dubai on Facebook:
NOLINK://www.facebook.com/OneLifeOfficial/
Not only in Sofia is lied and cheated. This video was uploaded to YouTube the day before yesterday:
NOLINK://share-your-photo.com/8e6d556677
NOLINK://www.facebook.com/DrZafarOfficial/
Habib Zahid, what can I say. He is now a OneLife Master Distributor.
He was hyping couple days ago how people bought cars with OneCoins in Singpore DealShaker expo.
So, I asked for a DealShaker link, he gave me a picture on a paper.
I said I’m sorry I can’t find such new Lexus from DealShaker using any search, neither with DealShaker search nor Google Search from DealShaker.
What does the Master Distributor Habib Zahid do? He deletes my message and bans me on his Facebook and writes “some people just been too much”.
Thanks mr. Master Distributor Habib Zahid.. I guess it’s TOO MUCH to ask for a DealShaker links for deals you hype.
nolink://oi66.tinypic.com/50pctc.jpg
The event and venue in Dubai very modest compared to 2015 Dubai event. Almost like a metaphor for the decline and downfall of the scam.
And no AurumGoldCoins this time. The motto “In gold we trust” has been tranformed into “in mold we crust!” 😉
@Semjon
Your longing for gold can be satisfied:
NOLINK://share-your-photo.com/9a36c77d6f
NOLINK://share-your-photo.com/0ce49136c9
I wonder when Jose Gordo will leave with Marianna Lopez de Waard and start their own crypto ponzi. …I mean that I literally wonder on which date they have already chosen to abandon Onecoin and bring their downline.
I suspect they’ve postponed it once already and stuck around because Spanish speaking recruitment is still bringing in a profitable number of new naive victims.
Meanwhile, in Coin(un)Safe News, remember Ruja Ignatova, Ken Labine/ Igor Krnic (possibly the same person) and all the Cult sect member’s frequent claims about how “Onecoin’s can never be lost or stolen“?
Well, it’s now been 1/3 of a year (…over 120 days) since 1,000’s or 10,000’s of members are still waiting on what would be a 5 minunte fix if Onecoin had an IT Team searching a real blockchain and the real blockchain identified KYC to individual.
Either Authorities still have that “blockchain” (just kidding: SQL Database, which the techno incompetents at OC didn’t even back up in the Cloud) or someone must’ve burned the wrong books on “Book-Burning Monday’s” [additional confirmations of this ritualistic practice from defected leaders or OC Office Staff would be helpful to corroborate this alleged weekly event at Sofia HQ].
But, either way, it’s clear that the OneLie Network has no account of or access to the Coin(un)Safe “matured coins” and the longer these ponzi points remain LOST, the more notice and questioning of fraud they are attracting amongst OneCULT victims.
Come on Tim, you know very well Ken and Igor are not the same person, even though they act now the same.
By the way, instead of giving more information about the ICO, OneCoin has now removed even the OFC starting price from onecoinico site.
And of course no news from the much hyped Dubai leader event. Konstantin just preached some general BS. Then they demoed the new DealShaker which was less impressive, and the crowd wasn’t even smiling LOL.
Well, it’s probably hard to smile, what ever the DealShaker platform looks like. It’s still just a ponzi club play money arena for the members and the Greater Fools (merchants).
Wohoo, our coin value is now 26.95€ because Konstantin edited the number in BackOffice! Everybody rejoice this incredible happening!
OneCoin members are seriously celebrating how OneCoin value is increasing while other cryptos are dropping. Is it possible to be any more braindead, I wonder?
https://image.ibb.co/iSDYVU/braindead_onecoiners.png
Ps. Just so it’s not taken out of context: I know Igor isn’t Labine in real life. They just reason and act identical in so many ways nowadays that it’s like a flashback moment half the time I read the Chief Excuse Officer’s nonsense, twists, lies and misinformation.
I’ve had several video chats/ debates (if you want to even call it that) with both of the clowns, as some will recall.
NOLINK://share-your-photo.com/a524fe69c5
Those claiming otherwise will be sued by Ruja’s “Legal Department”. A criminal organization without a CEO, but with its own legal department?
This is unusual and funny at the same time. And who leads this legal department? Probably the accountant who makes sure that OneCoin does not pay taxes anywhere in the world.
Speaking of old times of OneCoin and Dubai, have you guys noticed that Juha Parhiala has teamed up with Chris Principe to launch new Dubai based MLM scam called Solidus Global?
facebook.com/SolidusGlobalOfficial/
solidusglobal.com
It’s not yet clear how they will scam people, but it seems that it’s not a crypto currency/education -ruse anymore. Smells more like gold based scam — the shit is more solid.
Perhaps Juha stole Ruja’s AurumGoldCoins when he left Ignatov Crime Dynasty,
I just keep on laughing at how they do their darndest to claim that OneLife and OneCoin are two different companies and are not related to each other.
What a difference a couple of years make from all the hoopla and cheering in 2016 to this event in Dubai. I’m sure it had to do with there being no gold under the sea to brag about.
OneCoin is an international criminal organisation so instead of calling it “legal department” a more appropriate name would be illegal department.
Melanie, the head of Onecoin (il)legal department is Irina Dilkinska, unless she has finally left the scam company.
It was very funny when they back in 2015 threatened finnish IT journalist Petteri Järvinen with one of those stupid letters. She signed it with just Irina, Head of Legal and Compliance Department. Not using ever her full name. 😀
pjarvinen.blogspot.com/2015/02/onecoin-uhkaa-oikeustoimilla-kasitys.html
They also changed:
– Coins produced 120 BILLION
into:
– Pre-mined Coins 120 BILLION
Quote from onecoin eu:
There is dizzying cross-ownership, seat and share transfer carousel in the network of Bulgarian companies (RILAKO DELTA, ARTEFIKS EVROPA, UAN NETUARK SARVISES, „UAN FOREKS“ EOOD, PEGARON INVEST EOOD, RILA KEPITAL INVESTMANT, ) related to OneCoin, but names of two paople come up as current managers: Kristiyan TSvetanov Manolov and Bozhidar Bozhidarov Zahariev.
Perhaps Chief Excuse Officer Igor knows who they are?
Funny things happening on the onecoinico site. OneCoin logos disappearing. All text with OneCoin have been changed to ONE Coin. The roadmap doesn’t talk anymore about OFC. But surprisingly the site is not anymore “copyright by ONECOIN”, but “copyright by OFC COIN”.
Check this picture, on the left is the new site, on the right is a snapshot from 23th August: image.ibb.co/bYojLU/One_Coin_ICO_changes1.jpg
I wonder what the scammers are trying.
Here’s the snapshop from 23th August: web.archive.org/web/20180823125514/https://onecoinico.io/
For those who can’t easily access the site, here’s the snapshop from today 8th September: web.archive.org/web/20180908193835/https://onecoinico.io/
Wait. I thought I was Ken Labine? Lulz
Okay, I’m not. My principles are very different to his as I don’t recruit people into any endless chain opportunities such as OneCoin.
I mean, what kind of person would be responsible for having people invest in something without doing simple due diligence first? I guess the lure of money from commissions was just to enticing for him to bother.
Solidus Global is on my radar.
They’re probably going to go “Golden Gate Group” if it flops.
Just quietly forget about it and come up with something else to distract people. Have to use a shell company though, so I guess OFC Coin is it.
“OFC Coin is run by anonymous people that have nothing to do with OneCoin” in 3…2…1…
@WhistleBlowerFin
Oh yes, I remember. Irina Dilkinska – the woman without face and without past: 🙂
NOLINK://share-your-photo.com/5ce434ac32
A recent photo from Dubai:
NOLINK://share-your-photo.com/f9ec41900a
The two women are pushing the OneCoin scam in Ukraine. Here is an older photo with Ruja and Kari Wahlroos:
NOLINK://share-your-photo.com/8c659c952a
Maybe the rumors are true that Ruja is on the run with a passport from Ukraine?
Only one pattern:
NOLINK://share-your-photo.com/c5e5de2aa9
The OneCoiner are happy about the next version of the DealShitter like the little kids.
But why does a “perfect” payment system need proven and secure PayPal?
Is not that a contradiction?
NOLINK://share-your-photo.com/d061387d86
@Melanie
I’m so excited, and I just can’t hide it …
Where i can paid my seat in ONECOIN ? Any dealshaker link ? no ? really ? how it’s possible ?
So like before that will be piss flavored “tonny robinson” like motivation speech, brain stormed repeat words like “Fantastic opportunity”, “financial revolution”, “get rich fast, look at me, i’m wearing a Rolex and a DG costume” blablablabla i poop excellence like any MLM scumbag.
Nothing new, nothing technical, you cannot answers real question to any leader.
AND like in any of theses events i suspect people behind paid to applause, scream and getting the audience in shape.
You get out this gypsy chicken thieve flavored event without any more knowledge unless you like fake brief live story of liars leaders and a mind carpet bombing of how onecoin is awesome. That’s all folk’s.
All changes on onecoinico . io point in that direction indeed.
In the meantime they even have removed the “OUR PARTNERS” section (Dealshaker, OneLife Events, OneAcademy and OneLife.
Getting rid of the footage of Konstantin Ignatov, announcing the Coin Offering during the Cordoba, Argentina event on 28 July 2018, will be more difficult though:
NOLINK://youtu.be/7DuS5D7YKQg?t=5464
NOLINK://youtu.be/IvqfbX4qVuU?t=5630
Just funny or a huge disgrace? Again two links that do not work on onecoinico.io:
NOLINK://share-your-photo.com/cad95296bf
NOLINK://share-your-photo.com/c9d1dfebf1
The same procedure as every day, as every week, as every month and as every year: 😀
“Coming soon!”
Dinner for one –Melanie will understand
NOLINK://share-your-photo.com/0581151ac5
NOLINK://share-your-photo.com/c2d8ee650a
The website of this hotel is: NOLINK://www.hotelmclub.com/
I have asked by email if they accept the Bulgarian ShitCoin 100% as a means of payment, but have not yet received a response.
The hotelier is probably gullible or his hotel is empty. The sign also shows that he works with the fraudulent Lyoness group.
Dubai event takeways from a video where “Dr” Zafar and his scam gang blabber:
– OneCoin Whitepaper going to be uploaded into backoffice “very soon”.
– “Don’t confuse this ICO with already OneCoin we have, in the market, with the people. These are totally.. just take it [as] two different projects.” (So Oz and Squad were right!)
– In January 2019 some exchange could be available where people can cash their coins. Con-stantin is “working” hard to make it (not) happen.
(youtube.com/watch?v=W0v1LurK86M)
Well that explain why Igor Krnic lost the last fraction of criticism and is just purely hyping Chief Excuse Officer scammer now. GLG Inner Circle.
https://image.ibb.co/nfwc9p/onecoin_innercircle_krnic.jpg
Shame on you. Igor just said about his being appointed to the GLG Inner Circle, and I quote:
So see, you got it all wrong. This is a good thing. I know because Igor said so. LOL!
Lol hahahaha look like a comedy central parody; Nolink://www.youtube.com/watch?v=kV6OkcSvIsg
Fuck me. I made it to a minute.
Is he pitching to kindergartners? I get OneCoin investors aren’t the sharpest tools in the shed but this really drives it home.
Edit: OK so I’m a sucker for punishment. Apparently the owner of the Indian grocery store “will be accepting” OneCoin – and that was six months ago. Don’t suppose we can confirm if he/she still is?
Bit hard to run a business on monopoly money.
NOLINK://share-your-photo.com/2a3fb35d26
This video not only mentions PayPal, but also VISA and MasterCard.
I think it’s not necessary to post here all the things which the stupid OneCoin members are hyping. There’s more than enough material for going through what the company and top leaders are doing..
PayPal DealShaker integration was mentioned in Dubai event. Have to see if and how it’s done, before any action.
@WhistleBlowerFin
In any case, the e-mail address mentioned on onecoinoco.io still does not exist, because the domain ofccoinoffering.eu has still not been registered. Thus Konstantin Ignatov prevents any contact via eMail. I wonder why? Can he not answer any questions or does he want to answer any questions? 😀
NOLINK://share-your-photo.com/c7c4f87719
NOLINK://share-your-photo.com/8c760027d3
In addition, onecoinico.io removed the complete OneCoin logo. Why this?
The scammers are back after 20 months of silence. Maybe tehy saw the money running dry to fast….Next scam FutureNet
facebook.com/photo.php?fbid=10217423731931064&set=a.10202960481238836&type=3&theater
Controls? Which controls? Again just a stupid and primitive excuse?
Ruja complains on Twitter:
NOLINK://share-your-photo.com/4f6abf4968
Have bad voices in Ruja’s head planned the OneCoin scam?
It’s normal OneCoin, that their contact email is not working and not even a registered domain. I would be much more surprised if they wouldn’t f things up all the time. 😀
Melanie re 301
maybe someone shOuld register the domain before Onecoin do?
@limericklady
No, the domain is available:
NOLINK://share-your-photo.com/2744e18734
If it is available are we able to register the domain?
@limericklady
Do you want to buy them? I’m not interested. If Konstantin notices that the domain is gone, he will register another one.
From 3.4 million OneLife members, no-one will have noticed that the email address is pure fake. It shows how “intelligent” they are.
Does anyone want to buy the Kleptoqueen? That’s possible now – on DealShitter:
NOLINK://share-your-photo.com/63cea487ea
Oh wow.
Someone needs to commission that artist to restore a priceless portrait of the Virgin Mary in an obscure church on a Spanish hillside.
We all know that Ruja likes to boast about her education and her degrees. Here she even describes herself as a “professor“? If someone leads a wrong title in Germany, they make themselves punishable:
NOLINK://share-your-photo.com/e80dc9c315
I think that posting everything that springs to mind is not constructive for those who come here and really want to understand.
I believe that in-depth and verified objective data are more important and truthful. This is information.
Mihail Petrovic, “Black Diamond” from Serbia, uploaded a video on YouTube a month ago:
Two hours of chatter that nobody cares. 58 calls in a month speak a clear language.
NOLINK://share-your-photo.com/a1e7bb5a13
A OneLife newsletter from December 2017 states:
Oh dear! A “professor” does not realize that OneCoin is a worldwide fraud? Or does not Mihail Petrovic have a professorship title?
Okay, I have to confirm, with HerbaLife, Organo Gold and OneCoin, this “professor” from Serbia has made an impressive career. 🙂
PS: How much does a professor title cost on the internet?
NOLINK://share-your-photo.com/de9b7f622e
What’s the real name of the Chief Excuse Officer? Igor Krnic or Igor Krnicem? I found this invitation to a webinar:
Google translates it like this:
On YouTube it says again:
NOLINK://share-your-photo.com/a5a905c203
Only in network marketing do people boast about their years of pyramid/ponzi scheme experience.
And then for some crazy reason, people revere them. That is so messed up.
It’s the grammar It’s Igor Krnić.
This “professor of mathematics and IT” who also has “a postgraduate degree in economics with diplomacy” considered that the outcome of OneCoin’s BMW auction was “fantastic”. The final bid was 3.6 million onecoins.
I think it’s fantastic to have a professor level opinion about the value of the coin.
@Ari Widell
I love your blog – especially this cartoon! Already half dead, but he can still shape the OneCoin asshole logo perfectly: 🙂 😀
NOLINK://share-your-photo.com/e32a6ee9e7
With over 100 articles published on OneCoin, what’s there not to understand?
OneCoin has been a bit of joke for some time now. As we countdown to the inevitable “sorry for your loss” (even though that arguable happened Jan 2017), there’s not much else to do other than find humor in the nonsense.
Sorry. Not you Melanie, in case that read wrong without noting the sarcasm in the quote.
People = current or potential downline (dumb) recruits
The reason is that they want to be them.
@Char
You can also put it this way: In MLM there are only highly qualified experts and specialists. The products and the marketing plans are all revolutionary. In addition, the MLM regularly “secrets” are revealed and you get rich without having to work for it. This is called Residual Income. And who does not become a member immediately, always misses the only chance of his life.
Or, in short: In no other business than in MLM you will be slain with incredible superlatives. Sweet food for all fools in this world.
Source: My own experiences from the last 16 years since watching this market.
Konstantin needs money for new tattoos. Now he offers new courses:
NOLINK://share-your-photo.com/2f7c1c4ca3
@Melanie – RE: “Kon(man) …offers new courses”
Strange. Prices seem to have decreased for the poorest places remaining on earth which Onecoin hasn’t yet pillaged. But, they forgot to describe the “education courses,” and only remembered to list the “promotional tokens” the courses included for each dollar amount.
Do we even know what “education” is behind these proverbial “New Door #1” vs. “New Door #4” from this advertising/ recruitment gimmick? Or only that the New Door #4 receives more ponzi points that they exchange (*mine) for ONE ponzi coins than #1 – which, $4 billion later STILL has no cryptocurrency wallet to receive, store or use these points?
Sadly, Onecoinists are grossly uneducated and gullible! Any silver tongued MLM slickster could talk a majority of them into forking over top dollar for the newest “barber/ professional hair sculpture,” whose actually just a recent elderly parolee with Parkinson’s Disease, who will buzz their hair, despite being blind and using a chainsaw – with the promise of, “he’ll make you look like a million bucks!” With promises like that, Onecoinists wouldn’t even hesitate.
@Timothy Curry
In Germany we would like to put it this way:
“Oh Lord, forgive them, because they do not know what they are doing!”
Also at the planned event in Paris must be paid again with euros (150 or 250 euros). The worthless OneCoin will not be accepted as a form of payment.
NOLINK://share-your-photo.com/c5f36d9406
Onelifeevents.eu will not announce this event.
I wonder who invents the names of these events?
“1st” Onelife European Event?
This silly OneLife branding was announced in London, Europe, June 2016.
Did it really take over 2 years to have the – ahem – “first” European Event?
Did it ever occur to the minds of OneDorks that the Eiffel Tower looks like capital “A”, not like lower case “i”?
*facepalm*
Sincerely yours,
“OneLAfe European event, Paris”
@Otto
In closed Facebook groups many more events are announced, which are not mentioned on onelifeevents.eu.
Often in regions that were previously neglected by Sofia. Obviously, Konstantin has lost control or it is forming within the organization, a group that would like to sip quickly before the big bang.
This announcement fits:
Gross national income per inhabitant in Uganda was $ 630 in 2016. But that will change very quickly – thanks to the Bulgarian miracle currency OneCoin:
Prosperity for all! You do not have to die today to get into paradise. No, with OneCoin, paradise is born on earth!
NOLINK://share-your-photo.com/b4465019b7
On onecoinico.io the prices for an OFC have been removed. Screenshot of August 23, 2018:
NOLINK://share-your-photo.com/0352616a00
Screenshot of today:
NOLINK://share-your-photo.com/15a234f1fd
I must admit that following Onecoin can be quite addictive. It’s like following a Bulgarian version of telenovela (soap opera from Latin America). Whole story is full of twists and turns and the plot just thickens towards the end.
Onecoin also seems to last about the same as average telenovela and characters are just as interesting and funny.
I bet that in the last episode of OC/Telenovela we see OC going public and the price goes from whatever number Konstantin made up to some 0,001€ or less. The end.
New packages with special prices for Germany? Can someone explain that?
NOLINK://share-your-photo.com/514f8d12ec
NOLINK://share-your-photo.com/a6e10e0f7c
When BaFin declared that Onecoin was not allowed to do currency transactions (or whatever the exact wording was), OneLife told the “educational packages” in Germany will not contain any promotional tokens.
That applies to the new “Germany” packages too.
@Melanie/Otto
Description of the “LIGABIS” course, price 750 EUR:
Description of the “GERMANY LIGABIS” course, price 550 EUR:
So the non-German version comes with FREE promotional tokens, but the price is 200 EUR higher.
I don’t make this up!
Still a very good deal in PonziLand.
– You get 1 split, i.e. 11000 tokens after the split.
– Divided by Difficulty Factor 270 => 40.7 OneCoin.
– “Value”: 40.7 x 26.95 EUR = 1,097 EUR.
Yes really!
It seems that all is not well in OC land. A couple are expressing their dissatisfaction with OC on Igor’s blog. One poster agreeing with another posters comments also said this about OC Office and I quote:
Only one minor correction to this poster: No-one in authority is home at the Bulgaria Home Office. Only clerical people are there, and it is questionable how many of them are left.
^ Lynn, our newly promoted Inner Circle member came to the rescue with new excuses and moral pump, telling how great things are just coming, making some vague suggestions about exchanges as well.
That worked to the sheeple, and now with the moral boost they are throwing Tim to jail again. 😀 😀
https://image.ibb.co/nvNoPp/Igor_Inner_circle.jpg
Well, we all knew he would ride in to save the day.
That picture is PRICELESS!! I can’t stop laughing. On a scale of 1-10 that picture is a 15!
Does one have to understand that? The OneLife Summit in Uganda has just been heavily advertised – and today it has been canceled again:
NOLINK://share-your-photo.com/bd5c056302
I can’t wait until the next big “sweep” ….of an unrelated MLM/ greedy IMA’s “miss-selling,” and falsely using the name of …and completely unrelated to “Onecoin,” of course. SMFH!
@Timothy Curry
It is not punishable to be an idiot. 🙂 But it is punishable to cheat more than 3.4 million people!
NOLINK://share-your-photo.com/1fedeff10f
This has further implications OneCoin hasn’t really thought through:
The main reason why OneCoin was not deemed illegal in Finland at spot was that they did not exchange currency (which would’ve required permit) but instead they gave the cryptocurrency away as “free tokens”.
Now the tokens are no longer free.
A fantastic offer from Germany on DealShitter with completely uncomplicated handling:
NOLINK://share-your-photo.com/ec7fb18b6b
So that such “super special offers” on Dealshitter are not overlooked, is advertised also on Facebook:
NOLINK://share-your-photo.com/4851cf103f
The “Cryptoqueen” is silent! Since May 7, 2017.
In the past, critical comments on their numerous Facebook accounts were deleted within a short time. Did Ruja fire her censors?
NOLINK://share-your-photo.com/d38f3e453d
PS: My grandma also had such an ugly tablecloth … 🙁
In Australia, too, attempts are being made to reanimate the alleged “financial revolution”:
NOLINK://share-your-photo.com/b2ea94748f
I learned why it was cancelled. It seems they didn’t have enough parking spaces at the airport for all the Billionaire’s attending to park their private jets, and not enough presidential suites in the hotels to accommodate them. OR they didn’t get enough people to signup to attend. OR all of the above.
Tickets for this event in Paris will not be sold on onelifeevents.eu, but on onestylefortlife.eu – now for a special price, because demand is so exorbitant: 😀
NOLINK://share-your-photo.com/dccfed3bda
A desperate attempt to earn some money with OneCoin?
“Pyramids Convention Center”?
Fitting. 😀
onecoinico.io site FAQ and TERMS AND CONDITIONS are online:
onecoinico.io/ofc-faq.pdf
onecoinico.io/onecoin-t-c.pdf
From the onecoinico FAQ:
How does the OFC conversion to ONE directly mean that OneCoin will become publicly used and traded?
If you are publicly able to buy and SELL OneCoins with FIAT or real crypto, then it means OneCoin is publicly used and traded. The wording in the FAQ sounds shady again..
I wouldn’t be surprised if this “going public” here just means that you don’t have to be OneLife member to acquire OneCoins. But members hoping to be able to actually sell their OneCoin will be dissapointed again..
It should go without saying that the FAQ and Terms and Conditions of an illegal unregistered securities Ponzi scheme are rather worthless.
Did OneCoin’s Terms and Conditions stop who knows how many thousands of investors from losing who knows how many millions of dollars? Or stop Ruja Ignatova from spending said millions on real-estate and then disappearing?
NOLINK://share-your-photo.com/46b25a951f
And who wrote this book? South Korea? 🙂
Somebody who still can, ask at Igor’s forum, is the company now officially saying that January 8th is the date when members will be able to sell their OneCoins, yes/no.
So now THE COMPANY behind “coin offering” is yet another shady tax haven company named “AHS LATAM S.A.”
Info about company:
opencorporates.com/companies/pa/155655623
The people marked as being in charge of the company are not OneLife people as far as I can tell but people from a law firm acting as front organization.
T&C states it plain and clear that the offered “OFCs”/tokens are worthless. The (non-existent) people who thought they can invest in OneCoin by participating in this coin offering will be dissapointed, because T&C states it plainly that the offering is no investment opportunity:
So this is a coin offering that offers no coins(currency).
And somethig like half of the world population are lucky because they are prohibited to participate:
FIRST USA-BASED ONECOIN SCAMMER INDICTED BY FBI, IRS IN MONEY LAUNDERING OPERATION!!!
I absolutely LOVE where this will lead!! Sweet justice is coming!!!
Suspect seems to be involved in having helped launder over $400,000,000 related to Onecoin…
In my excitement I forgot to link the article:
capecodtimes.com/news/20180913/barnstable-man-indicted-in-alleged-cryptocurrency-scheme
*gets out of bed to go to bathroom*
*absently checks email on way back*
“Yeah, I should probably get up early for this…”
Standby for full report.
OneCoin scammers from Russia spread their videos full of lies and fairy tales not only on YouTube, but also on novom.ru
In January 2018, this video was uploaded to novom.ru:
NOLINK://share-your-photo.com/e654b70634
We all know that this so-called “interview” with Ruja, the former “Crown Diamond” Pehr Karlsson and the series scammer Udo Carsten Deppisch can not have taken place in 2018, as Ruja has been missing for a year. But the scammers from Russia want to give the impression that this “interview” is current or was created in January 2018.
Related video’s on novum.ru (just a section):
NOLINK://share-your-photo.com/14dd95c386
Here’s another example of how infamous lied on YouTube (uploaded on February 24, 2018):
NOLINK://share-your-photo.com/4068b5b95e
NOLINK://share-your-photo.com/3e79ed08f7
Another “unofficial” event? On onelifeevents.eu it is definitely not mentioned. Obviously, the Russians do not have their own “Leader”, because the organizers are from Italy, Romania, United Kingdom, Morocco and Greece and of course all so-called GLG members. Entrance fees are not mentioned yet.
“Master Distributor” Habib Zahid announces:
NOLINK://share-your-photo.com/81fe638b39
If Habib Zahid does not find new victims in Africa, he will probably focus his activities on the North Pole and the South Pole. Before the OneCoin balloon finally bursts.
Too late to add South Pole, before Onecoin hid their “list of members by country”, they claimed to have 4 members from Antarctica.
Even today Kralev Cars has promised to deliver 3,000 cars all the way to Antarctica if needed:
NOLINK://dealshaker.com/en/deal/discount-coupon-for-purchase-kia-ceed-sw-petrol-estate-6-speed-manual-model-2017-year/3WWZyqVztlSKQqpx8iP0s1Iko0kYgzkJyEngaZxNxq0~
Less surprisingly, Igor Krnic yesterday in OneLife MLM Workshop – Novi Sad, Serbia.
https://www.facebook.com/DusanTorbica84/videos/pcb.1925321484242772/1925315994243321/?type=3&theater
@Otto
The fraudulent car dealer OneMillionShop from Poland has found a fraudulent successor from Bulgaria? In any case, purchasing from Kralev Cars is as simple as buying a red lipstick for Ruja:
If you register the car after one year in your own name, the car is second-hand. And how expensive will insurance and taxes be in Bulgaria? I see a lot of more problems and problems and problems …
Well if you are not in need of 3,000 cars, 50 Lexuses available:
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/bPJOBW3X8*qBbkG3SEi0knSICh0rLSHowU-b8bQozLo~
(Ignore the URL, these are Lexuses.)
This time no need for these odd requirements and still shipping to three districts of Antarctica and also to some rather challenging delivery targets like Syria, Occupied Palestinian Territory and North Korea.
@WhistleBlowerFin
Since Igor Krnic belongs to the inner circle of OneCoin / OneLife, he makes himself punishable under German law. The German Criminal Code states:
A company without a CEO who is liable for business activities is not a company but a criminal organization. Comparable with the mafia. And the boss of the OneCoin mafia is currently called Konstantin Ignatov.
NOLINK://share-your-photo.com/485717b21c
Ruh Roh. The most talked about topic on Igor’s blog is what will be the exchange rate back from UFC’s to One from when they converted their OneCoins to OFC’s.
A lot of speculation back and forth as to what will be the exchange rate.
Then SwissAndrew made this post and upset the whole apple cart by refreshing the members of what the exchange from OneCoins to UFC’s were in the first place, and I quote:
So looking forward to Igor’s reply.
@Otto
The offers of Kralev Cars Ltd. contain many pitfalls. Here is just one of many:
Reputable car dealers would not act like that! But what is reputable in the environment of OneCoin / OneLife / DealShaker?
@Lynndel
Igor Krnic has not responded spontaneously for a long time. I often see him online, but then he just reads, but does not write anything.
He’s probably finding it harder and harder to find new excuses and apologies.
You are now getting to the juicy parts of this!
I believe that – in addition to OneCoins having no value at all – the reason for such an outrageous condition is that in case of failed delivery Kralev Cars could not return the OneCoins to the buyer even if they wanted to.
You see, after almost four years of OneCoin there still is no way to transfer coins between two members unless the happen to be in each other’s downline.
Except when buying from DealShitter, that is. This has produced some quite funny deals to Dealshitter, actually. Two members want to transfer coins from one to another so they create a fake deal that has a single coupon and the description says that it is “a private deal for username johndoe”. 😀
(@Oz: No need to censor, that username was made up by me to protect the stupid.)
But yeah, future of payments and all that.
Also on Facebook OneCoiner complain that the email address on onecoinico.io does not work:
NOLINK://share-your-photo.com/a61cd54d6e
putting ofccoinoffering.eu in the address bar brings up domain for sale page.
What a disgrace! Even the Serbian dream dancer Igor Krnic from Serbia does not know how the Bulgarian OneCoin mafia will convert the so-called OFC in the future:
NOLINK://share-your-photo.com/60deaa6fe3
This fits in perfectly with this statement on onecoin.eu:
NOLINK://share-your-photo.com/dcfc53f440
I have one more question for Igor Krnic: Understand in Bulgaria the same as in the rest of the world under “Transparency”?
Gigantic! Bombastic! Now only 923,000 merchants are missing, until the first million promised by Ruja will be reached:
NOLINK://share-your-photo.com/bb776f1d3c
And how many of the 77,000 merchants actually offer a product or service on DealShitter? And how many of these offers come from China?
I think this question our member “Otto” answer better than me.
Additional question: Who is so stupid to buy an article on DealShitter, if he has to organize the shipping itself?
From MuroBBS:
– 16 000 open deals currently in DealShaker. So at maximum there are 16 000 merchants that have actually something for sale. Fact. End of discussion.
– Several merchants with over 100 open deals, which leads to estimated “less than 1,000 merchants actually selling something”.
No way to verify the number so the amount of merchants could be higher but not much.
– 1,750 deals are dated to be opened in the future -> about 11% of all deals are actually unavailable.
Then to the next question:
There is no practical way to filter “give me all deals that are available in China but not in anywhere else”. So I cannot help with that one. But I can offer this info:
If a deal is available in e.g. Italy and the deal has shipping in it (i.e. it is not “redeem at location” or “online service”), then the deal will say it “ships to Italy”.
That being said:
8 870 deals are available in China.
6 759 deals are available in North Korea.
6 763 deals are available in Syria.
6 759 deals are available in Occupied Palestinian Territory.
5 337 deals are available in Finland.
3 948 deals are available in French Polynesia, the spot at the mid of Pacific Ocean that is furthest away from continents on this planet.
3 890 deals are available in Antarctica.
Kralev cars ship to all these locations.
After all the big hoopla over the Deal Shaker franchise opportunity, and one person said they bought one, the opportunity has suddenly gone awfully quiet.
You don’t suppose they couldn’t get enough suckers to buy one, do you? Wonder if the lone wolf got his money back?
Wait what was I thinking? This is OC and there is no way Ruja and company would give the money back.
I guess they didn’t buy the story that there were 600,000 merchants being vetted for DS, and the staff was working overtime to get them all approved so they could participate in DS.
Or they realized that 80% of the deals came from less than 3% of the merchants that are claimed to be approved for DS.
So much for 2017 being the year of the merchant.
A German Audi dealer writes:
NOLINK://share-your-photo.com/c05fb66681
NOLINK://share-your-photo.com/0b772c1189
When I read that, I can only shake my head in disbelief. Is the man sick, drunk or addicted to drugs?
I’m absolutely not convinced that the Audi car dealership Scherer, Homburg/Saar, where he seems to be employed, is enthusiastic about Steven Wagner’s OneCoin hustle and bustle!
Why does this guy ask not to call the Scherer dealership?
deregulierung.com/
Hasn’t he noticed yet that OneCoin/OneLife is forbidden in Germany?!
I’ll let you hear about contacts in the local management.
All three?
He’s been a cryptocurrency fan for 8 years longer than cryptocurrency existed?
(Unless Ultima Gold counts)
No drugs need to be involved, of course. The fact of the matter is that he talks about wanting OneCoin to be accepted as payment for German cars, but he isn’t actually offering to sell you a car in exchange for OneCoin.
For every currency on the planet, there must have been someone who was the first ever person to accept that abstract store of value in lieu of something inherently valuable.
Once that person took the shiny beads, everyone who subsequently took the shiny beads knew they wouldn’t lose their shirt as they could sell them to the first guy. But the first guy had to take a leap of faith.
The first guy accepted the new currency even though at that moment in time, no-one else on the planet would have given them anything for it. Everyone else who subsequently did decide to accept shiny metal or letters of credit or very long numbers was following in their footsteps.
Who will be that pioneer for OneCoin? Step forward Stephen Wagner. And step back again Stephen Wagner. As the Germans say, he has gebottelt it. He wants to want OneCoin but doesn’t actually want it. Ah well. The wait continues.
@eagle eye
The managing director of Audi in Bad Homburg writes:
I think that’s not going to be a pleasant conversation for Steven Wagner … 😀
NOLINK://share-your-photo.com/f9add33ca5
PS: Do we know each other from “wasistdranamrun”?
@Melanie
For your amusement, the amount of open deals in DealShitter over time: NOLINK://i.imgur.com/l7slyo5.png
The same but split by category: NOLINK://i.imgur.com/GWbbaCw.png
Still the same but the “Products” category removed and others summed up: NOLINK://i.imgur.com/CW65yZY.png
So why to make a graph that does not hold the “Products” category?
It aims to produce more authentic view on the DealShitter amount of new deals. You see, the “products” category is the one that pulls in a huge load of deals (and merchants) that look nothing short of made up, such as dozens of new “merchants” that:
– All of the merchants signed up at the same day.
– Each of the merchants chose a user name with few random letters and few numbers.
– Each of the merchants made 3 deals (and only 3 deals).
– Each of the merchants set their deals to expire on the same day as all the other merchants.
– Legit. 😀
NOLINK://share-your-photo.com/ff008ff9d5
Hi, Melanie from Germany. To the question “whatistdranamrun”: yes. Unfortunately it’s offline.
I think the Scherer Group is represented somewhere with 50 car dealerships in West Germany. I’ll also make some “wind” through contacts.
Conversely, does this mean that the millions of packages sold have been illegal so far?
Just as illegal as the columns of sellers?
Howe on earth can so called Affiliates explain all this chaos in OneCoin -disappeared Ruja, retired Greenwood, leaderless organisation and now lots of packages, lies about Dealshaker and what appears to be an incomprehensible string of dates, confusions and failure to clarify in simple terms what is happening.
For those who have been duped it is time to formally complain ,to those who are still selling you should be ashamed of yourselves and to any prospects do not go anywhere near this scheme.
You couldn’t make up the death agonies that this Scheme is going through!!!!
@linericklady
Well now i understand your “bafflement”, i suggest you look at a kindergartens playground full of hyped kids, now imagine thay have more purpouse,moral standards, intellect and logic behavior then your average onecoinbeliver/packageinvestor.
Picture that playground and what it would look like whit onecoinscammers and you have the situation well narated for what your trying to make sense of.
and yes, even in noneprimitive and nonereligous cultures (like in sweden) it looks like this…. realy sad but hay, you cant outlaw stupid…
Steven Wagner has changed his website deregulierung.com. The photo with the car dealership was removed, also some existing links. However, Steven Wagner still propagates the OneCoin several times. Here is just one example:
NOLINK://share-your-photo.com/05979ac4a4
@Otto
Thank you for your extensive work. You amuse me deliciously! 🙂 We all know that DealShaker is as deceived as on the other portals of Ruja and Konstantin. I also doubt all the numbers that have been published so far. For example, the number of members. No one can verify that it really is ~ 3.4 million.
However, there is a number that is correct, and therefore it is displayed in red:
NOLINK://share-your-photo.com/2d4f730af4
This is not a photomontage, but was displayed on the official site!
This praise for Ruja was posted on Facebook today:
NOLINK://share-your-photo.com/9650f49d5d
Since when do you have to pay dearly for a gift?
In Italy, the OneCoin scam is fueled again. Here is an event that took place last weekend in Verona:
NOLINK://share-your-photo.com/39adf034c7
The official slogan “Together for more” has been changed to:
NOLINK://share-your-photo.com/527e910975
Will Habib Zahid answer this question? 😀
NOLINK://share-your-photo.com/13c59cddff
Within the European Union, Romania is one of the countries with the lowest gross domestic product. Only Bulgaria is even weaker:
NOLINK://share-your-photo.com/d6ad9bdb4d
Ebay will be thrilled! They already have enough scammers on the platform!
Invitation to the next fraud event in Kuala Lumpur (Malaysia) from 21 to 23 September:
NOLINK://share-your-photo.com/53e508c3fb
@Melanie
I love this:
16 000 deals in Dealshaker. “tens of thousands” are not making business (profitable or not) with OneCoin since it is mathematical impossibility.
3,5 million? The “Individual Logged in users” counter at Dealshaker front page ticks at 392 000. Even their fake counter says less than 1/10 has actually ever even tried the service.
Also: 194 countries means that we have Dealshaker breaking international sanctions and doing trade with North Korea. (Plus doing business to conflict areas like Syria and Jemen but I assume they are just delivering education there?)
Ummmm… no? It is practically impossible to get euros to Dealshaker platform as there is no bank account where you coud send you euros and OneCoins cannot be traded to euros.
Could be.
Couldn’t be.
@Otto
Nobody is perfect! 🙂 Even lies have to be learned!
AHS Latam S.A. was founded on September 25, 2017. Here’s the data:
NOLINK://share-your-photo.com/4a5b2a867e
Does anyone really wonder that the name Irina Pilava appears in the so-called “PANAMA PAPERS”? Details can be found on this page:
NOLINK://offshoreleaks.icij.org/nodes/13010241
Whether Cyprus, British Virgin Islands or Panama – all countries are known as so-called tax havens and notorious.
I think he has confused central banks (which are responsible for national monetary policy) with the Court of Protection or his country’s equivalent (the court that makes financial decisions on behalf of those who lack mental capacity to make them for themselves, and do not have attorneys).
Anyone who invests in OneCoin clearly lacks that capacity and should expect others to control how they spend money, to save them from themselves.
The mystery of Ruja’s blockchain is no longer a secret! An investigative journalist found her and immediately took a picture of it:
NOLINK://share-your-photo.com/5cc3069d31
Ruja’s blockchain blocks the wheels. In Bulgaria you have to secure your luxury sedan so! 😀
In addition, Ruja apologizes for not spreading any of her crazy “visions” today. Her husband Björn Strehl has his birthday today and Ruja has to bake him a cake!
NOLINK://share-your-photo.com/93d6701000
New activities in Canada. Again an unofficial scam event that is not announced on onecoinevents.eu:
NOLINK://share-your-photo.com/d467822e96
The names of the three organizers are completely unknown to me. Only self-proclaimed “TOP LEADER ONELIFE” without official status.
Although the planned scam event in Uganda has been officially canceled on onelifeevents.eu, many Facebook accounts are still promoting it:
NOLINK://share-your-photo.com/7ab9ee2ead
It is becoming increasingly chaotic in OneCoin / OneLife … 🙂
Now cheating in Africa. Habib Zahid and Muhammed Adeel call this:
There will probably be a revolution someday in Africa – when the deceived Africans realize that their money has landed in the pockets of fraudsters.
NOLINK://share-your-photo.com/6f6bde9ad0
On April 17, 2018, this video was released:
But in this video it says:
Where is the logic here? Am I too stupid to understand that? It lacks more than 6 million members and more than 900,000 merchants – but after 8 October, you can still sell your (worthless) OneCoins?
NOLINK://share-your-photo.com/79a0fc6ccc
There is no way in Hades that anyone in OC will be able to sell their OC’s after 8 October.
If Mark Scott cuts a deal on his $400 Million Dollars money laundering charges, no-one in OC will be able to sell their OC’s as it won’t exist. Ruja & Company will either be in hiding or criminally charged.
Personally I don’t see Mark falling on his sword to protect Ruja & Company.
New announcement:
NOLINK://share-your-photo.com/be103d8ba5
No comment! 🙂
Exorbitant price cuts for the planned scam event in Paris on November 24th and 25th 2018 at the Pyramids Convention Center!
– 900 Euro discount for ten GOLD tickets
– 390 Euro discount for three VIP tickets
– 350 Euro discount for five GOLD tickets
But hurry! Of the 2,400 tickets, 2,399 tickets have already been sold …
NOLINK://share-your-photo.com/b9b5c7deb7
A man’s best friend is his dog. He can not lie and do not cheat. That’s what I had to think about when I read this message from Konstantin Ignatov:
NOLINK://share-your-photo.com/a4c9988835
If you can not name facts, you spread such empty phrases!
NOLINK://share-your-photo.com/459a1c08ec
NOLINK://share-your-photo.com/bb4c615b0b
So is this still “THE FUTURE OF MONEY” or did that change into something different?
So any leaders left standing?
I see it this way: “The future of payments” is reduced to purchases in DealShitter.
Only there can 3.4 million OneCoin idiots try to use their worthless OneCoins as a means of payment.
Of course, the scammers in Sofia know this too and are therefore trying to make the “new” version of the DealShitter more attractive.
The result of regular brainwashing sounds like this:
NOLINK://share-your-photo.com/b085203abf
NOLINK://share-your-photo.com/5de7985326
Unfortunately, stupidity is not yet punishable …
A OneCoin preacher announces the word for Sunday:
OK! Have I understood that correctly? Ruja and Konstantin build a new ark? That’s probably the reason why the “Cryptoqueen” has not been seen for many months.
An ark for 3.4 million members is not built in one day, even I understand! 🙂
NOLINK://share-your-photo.com/eb972fd973
Why get beaten by the banks when you can just as easily lose your money to the Ignatovas. Christ some people are beyond stupid.
Indeed, actually it’s a smart move by the scammers. Dealshaker as a platform for products and services is sort of neutral. The fraud is in the FAKE OneCoin “cryptocurrency” with its “Blockchain” SIMULATOR.
But the more attractive the Dealshaker platform will be, the more Greater Fools will be lured into the Ponzi network.
Missing the obvious, it’s their own fault and I don’t have mercy with these morons.
Brought to you by people with a dubious past, from Bulgaria BULGARIA, using the MLM method known for scamming.
Just breaking it down to the lowest common denominator for everyone.
That is pretty sad reading: “7 000+ products, 58 528+ stores”.
That’s 51 500 empty stores, assuming every store that has products has only 1 product for sale.
But hey – future of payments!!!! 😀
Coming soon on DealShitter:
NOLINK://share-your-photo.com/1fb5d5e1d7
NOLINK://share-your-photo.com/c27ef95343
(Translation: “Work hard until the expensive is cheap”)
Sure the new DealShaker will probably keep the faith for those still believing maybe another 6 months. But eventually the Greater Fool merchants start to realize that they can’t sell their coins. And even if they could sell, there’s no buyers for the coins.
Why I say 6 months, is because after that time people who bought car coupons on October 8th from Kralev Cars will realise they are not going to get any cars.
I except a chain reaction after that, unless there’s something else happening first with the investigations.
Again a car dealer who supposedly accepts OneCoins? Name and address of the dealer are of course not mentioned:
NOLINK://share-your-photo.com/b16f6c99c7
NOLINK://share-your-photo.com/11f1e444eb
No OneCoin logos anywhere. Could just as well be that the place has nothing to do with OneCoin, the staff is just showing “perfect/OK” with their hands. (Re: Richard Branson and OneCoin)
NOLINK://www.mirror.co.uk/news/uk-news/sneaky-trick-virtual-currency-scheme-9780384
@Otto
I find this photo much more authentic: 😀
NOLINK://share-your-photo.com/c7c529dfb8
In Dubai event, over two weeks ago, scammers promised Whitepaper “very soon.” Just another empty promise?
Another change: The Audi seller Steven Wagner has deleted his website deregulierung.com: 🙂
NOLINK://share-your-photo.com/ee19207e55
^ The genious probably finally realized OneCoin can’t be sold and nobody is gonna buy the scam coins in any case.
The next 6 months will be pure popcorn time as more and more of the still believing idiots will realize this. 😀
The fraud event last weekend in Kuala Lumpur (Malaysia) is widely and extensively reported. Among other things, 12 videos were uploaded to YouTube to prove that. The links are in the screenshots below:
NOLINK://share-your-photo.com/edc8963cc2
NOLINK://share-your-photo.com/254dfc1fd7
Funny is the chosen category on YouTube: “Comedy” 😀
NOLINK://share-your-photo.com/e77b11f282
Video of Muhammad Adeel of September 5, 2018:
NOLINK://share-your-photo.com/3104cc53d5
Muhammed Adeel just pretty much regurgitated all the broken promises over the last couple of years. Bit of Labine, Zafar, Krnic and OneCoin corporate all mixed into a stew.
Advertising on Facebook sounds fantastic:
NOLINK://share-your-photo.com/09171a11cf
And what does this Bangkok jeweler actually offer on DealShitter? NOTHING! The earrings are supposedly all sold:
NOLINK://share-your-photo.com/0f346d780f
In addition, this dealer does not deliver to all countries:
Another balloon that only contains hot air.
What a crock. The multi-national criminal investigation is still ongoing as there has been NO announcement from the lead prosecutor it is over and they found nothing.
Also convenient that not one word was mentioned of Mark Scott being arrested and charged with money laundering $400 Million Dollars for OneCoin.
Now what was this again about the authorities did not find any evidence of money laundering by OneCoin?
Keep your head up Ruja and Konstantin’s arse Muhammed because you can’t deal with the real world.
The news from Venezuela is catastrophic. The german newspaper welt.de wrote:
Nevertheless, it is now trying to lure the desperate people into the OneCoin scam:
NOLINK://share-your-photo.com/d0ea65acc0
I fear that Patricia Ryan will find many new victims. In bad economic times, people are looking for a way out of their desperate situation and like to believe in the promises of the fraudsters.
I received a very long email today from Denis Murdock. It’s too long to quote or display as a screenshot. He mentions at the very end what really matters to Denis Murdock. And that means:
NOLINK://share-your-photo.com/03aba55d70
Very interesting is also this link: NOLINK://www.meetup.com/de-DE/DigitalCurrencyMastermind/?chapter_analytics_code=UA-72209443-1
There is also a photo of the previously convicted crook Tom McMurrain, who cheats with Denis Murdock together:
NOLINK://share-your-photo.com/1c17d5a4d5
The notorious liar, Chief Excuse Officer and member of the Inner Circle in the Global Leadership Group – Igor Krnic – can not answer the simplest questions! 🙂
In his OneCoin-non-debate forum, the brainless user “openmind” asks on September 24:
NOLINK://share-your-photo.com/d1eb784865
The answer is quite simple. There is no information campaign! There is no blockchain either. There is no CEO. And the OneCoin is without any real value.
And when does the information campaign start? I know the answer:
“Coming soon!” 😀
In the Las Vegas Digital Currency meetup link, I also recognize the former Chief Marketing Office of Zhunrize (ponzi currently in receivership), Mr. John Rustin.
NOLINK://www.youtube.com/watch?v=Fnpdnt8vVlM
Igor Krnic had one of the “articles” by Denis Murdock on his scam forum. Of course Krnic didn’t do any due diligence, and was forced to remove the discussion thread because it was pointed out to him that Murdock promises 84000% return of investment without risk on his website.
You can find the thread which Krnic deleted archived from here:
Why is OneCoin a scam ? (by Denis Murdock) page 1
Why is OneCoin a scam ? (by Denis Murdock) page 2
Why is OneCoin a scam ? (by Denis Murdock) page 3
Check also, the forum user, OneCoinTruth, who pointed out the outrageous profit promises to Krnic was banned (surprise surprise) about 2 months from this.
Igor doesn’t bother to state the obvious.
The Information period for the Coin Offering was the Mark S Scott $400 million OneCoin money laundering news. It’s all you need to know.
If you are still involved in the “project” or now thinking to get involved, you are a criminal(ly insane person).
According to Dennis’ LinkedIn Profile he claims, and I quote:
Doesn’t it make you all warm and fuzzy inside reading this, and makes you want him as your financial coach. You’re going to leave a legacy alright, just not the legacy you have envisioned for yourself.
Odd that he doesn’t name OneCoin since he is so confident it is real and the future of crypto-currency in his profile. Now I wonder why that is? LOLOLOL
Well, ffulco asked the question on 9/18, Emmanu asked it on 9/20 and openmind on 9/24, and still no word from Igor.
Funny how he can’t find time to answer this simple question but can break his neck rushing to defend OC if someone dares post something negative about OC.
But then when you have nothing, this is what you get……SILENCE.
I think he is hoping they will not ask again if he continues to ignore them.
Could it be, of course, by accident, the BitCoin Killer from Bulgaria?
NOLINK://share-your-photo.com/67753ef6b6
Do not trust a survey that you did not fake yourself!
NOLINK://share-your-photo.com/d67e570255
Of course it is not specified where and how this photo was taken. It could also be a photomontage. David Vergara has been known to me for many years as a notorious liar and cheater.
NOLINK://share-your-photo.com/8ee341010e
You just have to firmly believe in something, then obviously it also exists. Thus, the churches have already accumulated an immense fortune.
Who is so insane and wants to buy on the portal onecoinico.io so-called OFCs, must of course also pay:
NOLINK://share-your-photo.com/43eb29aa33
Interesting! The alleged “BITCOIN KILLER” from Bulgaria accepts BitCoins! 🙂
NOLINK://share-your-photo.com/3e64c85a9e
NOLINK://share-your-photo.com/d7975e359a
NOLINK://share-your-photo.com/111ee7ad64
Oh Konstantin, you lie just as perfect as your criminal sister Ruja!
By the way, found out that the new DealShaker base system is running on SocialEngine with SocialEngineAddons. So it’s definitely not fully inhouse developed by OneCoin.
Of course they needed to tweak many things for the scam coin integration though.
https://demo.socialengineaddons.com/stores/products
Comparison screen shots:
https://image.ibb.co/eH5aRz/New_Deal_Shaker1.png
https://image.ibb.co/fivWzK/Social_Engine_Add_Ons1.png
https://image.ibb.co/dxErzK/New_Deal_Shaker2.png
https://image.ibb.co/kiZwYe/Social_Engine_Add_Ons2.png
New scam event – SATURDAY MASTER CLASS – in London today:
NOLINK://share-your-photo.com/16f0373a74
I learned at school: “You can not ride a dead horse.” But Marco Vassanelli (“Diamond”), Dinos Bakalis (“Blue Diamond”) and Damir Topic (“Blue Diamond”) are still trying … 😀
NOLINK://share-your-photo.com/b5d73d02cf
BREAKING! Want to have access to preview of the new DealShaker without activation codes?
It can be done through this link: vptestsitedeals.com/staging/user/auth/forgot
If that doesn’t work, try following:
1. Follow the link “vptestsitedeals.com/staging/login/return_url/64-L3N0YWdpbmcvYWxidW1zL2NvbW1lbnQtcGhvdG9zLzIzMTk%3D”
2. Click “Forgot password” and you are in!
Just browse from the blue bar above. It might not contain all features when you are not looged in, but you can have pretty good idea of it.
Igor still has not answered ffulco, Emmanu, and openmind’s questions but he did provide a sneak peak at the new DS. You can watch the video here:
NOLINK:youtube.com/watch?v=u9Jpg0Gi4HU&feature=youtu.be
All I can say they showed a very expensive pair of golf shoes for 50 Euro + 7 OneCoins, which makes them over 200 Euro. And this is supposed to be good news for all OCers? Seriously? What a bunch of idiots buying this BS.
And OC still is not trading publicly as promised for the last 4 years.
Seeing as Social Engine provide development and design purposes, I’d go so far as to suggest OneCoin outsourced the entire platform.
Same thing they did with their MYSQL points and ICO.
Yes, it’s clear that it’s based on Social Engine.
Just look and compare: demo.socialengineaddons.com/stores/products
As also seen from the video, it’s funny that unlike the current DealShaker, the new platform doesn’t add the “value” of ONE’s to the Grand Total, it only takes euros into account — it’s like the ONE’s don’t have any monetary value at all. Cold shower of realism for the cultists.
@WhistleBlowerFin
Pakistan is also banned. I have checked with an IP from Karachi and come to the same result as this user on Facebook:
NOLINK://share-your-photo.com/0501d30589
NOLINK://share-your-photo.com/4e38daf8f3
@Melanie, please don’t quote old lists before checking (someone copied that wrong info to Igor’s forum from the quote). That list was changed long ago and is obsolete.
At the moment the ban list is according to onecoinico FAQ: Algeria, Bangladesh, Bolivia, China, France, Germany, India, Macedonia, Mexico, Morocco, Nepal, Pakistan, USA.
@Lynndel
There is another question that Igor Krnic does not answer even though he has read it. He is probably uncomfortable that some members of his “forum” also on behindmlm.com inform:
NOLINK://share-your-photo.com/a594c5c1ec
Melanie, that is old list you are quoting repeatedly. I tried to post already, but it’s waiting to be moderated. Please don’t quote old list.
From: onecoinico.io/onecoin-t-c.pdf
So basically any country OneCoin affiliates have been arrested in, is under investigation and a few randoms.
One year ago, a maximum of 50 euros was offered for 17,000 OneCoins: 😀
NOLINK://share-your-photo.com/a2c97e0df6
Yesterday, this video was uploaded to YouTube:
Really interesting, I find these statements:
Of course, nobody knows if these are “official” statements from the headquarters in Sofia. In the comments below the video is already protested violently:
NOLINK://share-your-photo.com/260356cafd
What the world has been waiting for! Konstantin Ignatov explains in detail (47 seconds) the future of the OneCoin ICO and DealShitter:
NOLINK://share-your-photo.com/40a05f7f2b
I love all the excuses and conspiracy theories on Igor’s forum why OneCoin has opposition. Igor of course sees that the opposition appeared because OneCoin has so much potential.
Nobody there considers the simplest and the most obvious explanation – because it’s a fricking big obvious MLM scam with a kilometer long red flag list, and where numerous people new to crypto have been lured in to invest huge amounts of money.
But nooo, in their minds the opposition raises from “bitcoin bosses”, decentralized crypto exchanges and banks fearing the great OneCoin, and is the ultimate proof that OneCoin is actually serious and real cryptocurrency.
Someone who has seen the full development of the OneCoin critique starting from early 2015 from finnish MuroBBS to this date, all I can do is shake my head. The delusion the OneCoin believers have and how they feed the members with it, it’s simply unspeakable. *sigh*
“Laurent Louis” the biggest leader of Onecoin in Belgium stated in his last video; “i don’t buy or use my real money anymore, i only shop my good’s, food and life goodies on DealShaker, my life quality was multiplied by the price of the coin, it’s amazing !”
It’s amazing yeah … when you see the past behavior of this dude; everything he said is LEGIT.
That Laurent Louis? Former Belgian MP, raging anti-Semite, unhealthy obsession with paedophilia? That one?
Who are OneCoin going to drag out of the woodwork next? Tommy Robinson? David Duke?
“Laurent Louis” is not really anti-Semite or really involved into “pedophile” fighting, this guy is just a opportunist jackass who’s going where he can grab what he can grab. That’s all.
He’s preaching for Palestine because of the majority of Muslim people in the Belgium main city, so it’s just a coward strategy to be friendly with local majority.
The reality about him is really sad and disgusting. He left his young daugther far behind him (how we name that in English when you abandon your kid ?) just because she’s not “normal” (mentally).
He was into the Belgian government (deputy) and when he saw his time to leave near, he intentionally turn media flash on him self by accusing other politician of pedophilia behavior and Jewish Israel involvement.
This last card from his pocket was not really successful. Now he’s trying to scam a lot of people by preaching the “good”.
His last speech was about “onecoin the safest way to prevent your loss on the coming economical collapse”.
This guy is just a joke by himself, like any other ONECOIN leader. fucking retard.
Don’t forget to save a maximum of video/picture from theses people, just in case they try to disappear from the web when this movie end.
There was about 2 years ago a law suit against Laurent Louis because of his OneCoin scamming, but it was settled quietly with OneCoin money.
It really fits that a crook like Louis promotes this scam and the criminals behind it.
I want to know what happened to the criminal charges filed against him in Nov 2016: The Public Prosecutor’s Office has charged former politician Laurent Louis with pyramid selling, fraud, money laundering and violation of common and banking laws.
Were the charges dropped? Is the case still ongoing? Seems it has disappeared off the record.
I believe this is the same case, the case was started by one person, but it was quietly settled. The guy got his money back from OneCoin and dropped further demands according to an agreement which is not public.
Apparently it was settled with a pay-back of 50.000 Euro to keep the negative publicity around the case out of the internet.
Laurent Louis went silent although he keeps pretending he only adviced people towards a great investment opportunity.
I’m shocked! Our Chancellor advertises the Bulgarian ShitCoin?
NOLINK://share-your-photo.com/f53e89d30e
This does not make any sense at all to me. An individual cannot bring criminal charges against anyone. Only law enforcement can do that.
The Public Prosecutor’s Office “charged” him with pyramid selling, fraud, money laundering and violation of common and banking laws. Only they could drop the charges if they could not make the charges stick in court.
If they took 50,000 euro to drop the charges, then they are as guilty as Laurent by taking a bribe. It is just weird the charges went away with no notice as to what happened.
@Melanie from Germany
Lügenpresse, Merkel ist Schuld Oder ist Merkel Dr ruja?
Sorry normaly i only watch and read the Posts Here… But i like this scamer bashing Here.
I don’t have one coins, but 2 of my Friends have, and i wait to the day they fall on their Asses. One of them is also interrested in this Skyway Shit, i think He is mental…
So, sorry to Interrupt and for my Bad english (learned by myself, No translate).
There is no way in Hades that Igor Krnic or any of his followers are ever going to admit that OneCoin was and is a Ponzi and we were right all along.
Even if he is charged criminally with his role in OneCoin and the authorities state OC is a Ponzi, and Ruja is criminally charged and it is claimed OC is a Ponzi, he will still deny OC is a Ponzi. In fact he will blame the members for not supporting it like they should not that OC is guilty of any wrongdoing and a Ponzi.
So anyone expecting him to admit it and say were were right all along tt isn’t going to happen.
Not correct, private prosecutions are very possible. But that would only be necessary if the Prosecutor’s Office declined to prosecute, which apparently isn’t the case.
The obvious explanation to me is that there was both a criminal and a civil case, the plaintiff in the civil case accepted a settlement, and the criminal case was withdrawn due to lack of evidence.
@Melanie: I believe the OneCoin cult hand gesture involves two raised fingers (the raised fingers for “One” and the thumb and forefinger for “Coin”). It’s essentially identical to the diving gesture meaning “OK”.
Merkel seems to be in the middle of a random gesticulation that looks nothing like the OneCoin gesture, unlike the Richard Branson picture above.
NOLINK://share-your-photo.com/7746a275cb
NOLINK://durchschnittseinkommen.net/durchschnittseinkommen-uganda/
NOLINK://share-your-photo.com/76cd764455
NOLINK://en.wikipedia.org/wiki/Carcel%C3%A9n
Sure of course they start selling petrol for OneCoin ponzi play money which can’t be sold.
Also in Europe several new fraud events are planned in October:
Poland – Italy – Croatia – Serbia – Romania
NOLINK://share-your-photo.com/afd19dc7e8
In Belgrade Igor Krnic is not announced, but his Serbian buddy Dusan Torbica:
NOLINK://share-your-photo.com/8b656a1cd6
This is the Belgian French speaking article which states that Laurent Louis bought the silence (and settled) with one of the victims that were part of the complaint.
lacapitale.be/198243/article/2018-03-01/onecoin-achete-le-silence-de-lune-de-ses-victimes
And it was said in another news article somewhere around that time that the amount paid or paid back was 50.000€
While the following post explicitly warns against Top10Coins, as most operators have previously promoted OneCoin scams, I’d like to quote him:
The article then describes in detail which dirty tricks Frank Schwarzkopf, Volker Helm and Mike Poppel now work with.
Frank Schwarzkopf has been cheating for many years, Volker Helm is actually breeding trout, and Mike Poppel is just a stupid and primitive OneCoin cheat who allegedly runs an advertising agency.
NOLINK://www.network-karriere.com/2018/10/02/warnung-vor-top10coins/
@Malthusian, here in the states an individual can only bring a civil lawsuit against someone. A person can’t file a criminal lawsuit against anyone.
I can file a criminal complaint with the authorities, but only they can file a criminal case.
Law enforcement does their investigation and then turn it over to the Prosecutor’s office for them to determine if there is enough evidence to go to trial.
If so, the charges are filed and the person being charges is arrested and the trial proceedings start. What happens in a civil case has no bearing whatsoever on the criminal charges filed.
That’s why I was so surprised that the case did not go to trial regardless of what happened in the civil case. It is rare the Prosecutor drops their charges once filed.
So they had to have a very weak case for them to drop the charges, which begs the question if it was that weak, why did they file in the first place?
A bummer because it would have sent a strong message to other OC IMA’s that meant they could be next.
Naturally you will be able to buy petrol using Dealshitter. It’s very practical: when your car is about to run out of fuel during a road trip, drive to. A place where you have internet access and a printer.
Because, you know, you have to show a printed coupon to the merchant. Fast and efficient. /sarcasm
On Facebook is advertised today again with an old video of Ruja, without pointing out how old this filth is already:
NOLINK://share-your-photo.com/8920ff4b3e
This photo with Ruja is titled:
NOLINK://share-your-photo.com/8e513e9d03
Of course, this photo was not taken on October 2, 2018! The photo is two years old and was first published on Facebook on October 1, 2016:
NOLINK://share-your-photo.com/7da2a48203
What is this nonsense? Does anyone want to give the impression that Ruja is active again? Okay, she keeps pulling the strings in the background – and Konstantin sells that as his own ideas. But Ruja will not go public – unless accompanied by a dozen bodyguards …
Video title claims that Ugandan MPs are moving to ban OneCoin.
youtube.com/watch?v=E-dDz0XdE98
I don’t understand what they are really saying but phrases like “pyramid scheme” are recognizable.
Spotted this hidden in onecoinico.io source code:
SILOCoinOffering? There is a ERC20 based index token named SILO by silo.network. Now the OneCoin scammers are buidling something around that?
@Semjon
Today’s event in Uganda takes place anyway:
NOLINK://share-your-photo.com/50fdebded0
Not really worth its own article, but $300,000 disappeared from a New Zealand woman’s bank account a few weeks before she died.
The funds are believed to be tied to OneCoin (doesn’t state if invested or stolen Ponzi ROI payments).
stuff.co.nz/national/107637326/Will-prepared-for-dead-Auckland-woman-by-church-is-ruled-not-valid
Onecoinico is accessible in Lithuania.
@Armand. Yes the restriction list was changed long ago.
At the moment :
NOLINK://share-your-photo.com/0774b36b4c
How long will the announced test take? Days, weeks or months? It’s the same with OneCoin: “Coming soon!”
So Konstantin did not appear at the Melbourne event. His excuse was that his plane broke down and couldn’t get a new unbooked flight in time.
Australia has a pretty tough border policy, so perhaps more likely he couldn’t get a visa due to his de facto leadership role in OneCoin.
Bad reputation for the company has been mounting this year due to Sofia raid and more recently the massive OneCoin-connected Mark S Scott money laundering investigation in USA.
@Semjon
Konstantin will also hide one day, like his criminal sister Ruja:
NOLINK://share-your-photo.com/e47a3a6571
Strange! Honest people receive no death threats. Could it be that some people feel cheated?
They can’t get their story straight. Earlier this year Konstantin told Vietnamese IMAs that Ruja is on maternity leave, see: youtu.be/hQZiITKNkcU?t=632
The video made me think that perhpas Konstatin just didn’t dare to appear in Melbourne because we are so close to the magical, mega-hyped 8th of October date and he knows nothing special will happen.
New DealShaker has not been opened as promised “in later half of September” and the CoinSafe problems are only increasing, causing massive panic and bad blood in the network (In the before mentioned video from June Konstantin says “The CoinSafe problem will be fixed very soon. We have little project team on it, so that we could offer a solution soon”) .
And scandalously, the mess from IPO-ICO debacle still remains unresolved: nobody has offered an explanation what will happen to the scores of people who in 2017 converted all of their OneCoins to OFCs because Ruja told them to do so for the now-cancelled IPO.
He has so big mess at his hands, so many tough questions and failed promises to answer for, that he can’t show his face at this sensitive moment.
@Semjon
Don’t fret. There are still …at least …2 1/2 hours remaining before OneCon’s most recent, massive and revealing “information campaign” window closes. AGAIN.
This was mentioned in the No Debate Forum (sponsored by Gift Code Factory and lead by His Excellency, The Anointed Chief Excuse Officer/ Inner Circle Patriarch & G.O.D. member, Igor Krnic Labine):
The Bulgarian car dealer Kralev Cars Ltd. gets cold feet: 🙂
NOLINK://share-your-photo.com/fbdccbf775
Understand@Melanie from Germany – RE: “Bulgarian car dealer Kralev Cars Ltd. gets cold feet…”
…COMING SOON(™)??
Kralev removed 4740 car coupons which were supposed to become active on 8th October.
People surprised:
– Igor Krnic
– All other OneCoin idiots still believing in the scam.
They forgot one car when deleting 🙂
NOLINK://dealshaker.com/en/deal/discount-coupon-for-purchase-kia-ceed-sw-petrol-estate-6-speed-manual-model-2017-year/-gLPKfBi6DXROpvIPejjgqhamC9DojsgieLBxUsf-ys~
I really hope someone who has some onecoin tries to buy this. Just for giggles :p
Well, flatrate on Igor’s block has lost his patience and went on a rant worth reading. Not good for Igor and OC. You can bet if nothing is announced tomorrow, now today in Europe OC is going to lose a lot more believer’s and this will all start to fall apart.
The next 48 hours are going to be most interesting to watch what happens.
Kralev Cars Ltd. has allegedly already sold 25 VW Passat today:
NOLINK://share-your-photo.com/8117ad6b0e
Heh, Igor started damage control by making a whole new thread about why nothing happened on October 8th. And of course lied that authorities have cleared OneCoin. Well, not surprising from that scam apologist.
NOLINK://share-your-photo.com/92f83a3826
The counter on onecoinico.io is set to zero, but nothing happens. 😀
NOLINK://share-your-photo.com/d62829b63b
When does Round 1 start with the sale of packages?
NOLINK://share-your-photo.com/8e5ee72804
Okay, we all know the answer: “Coming soon!”
NOLINK://share-your-photo.com/bc63ee4a27
Oh he says that coins will be delivered first to merchants.
What do the merchants need the coins for? To hand you exchange? Merchants should not be planning to give out money to get cryptocurrency, they should be planning to sell goods and obtain the cryptocurrency that way!
Seriously, the lack of logic hurts my head.
Kralev Cars Ltd. confirms the sale of 25 VW Passat on Facebook:
NOLINK://share-your-photo.com/f025446a9b
It’s so sad and comical at the same time!
It’s like in legendary Finnish documentary film about a downtrodden old couple, both naive simpletons trying to chase their dream of riches and especially a “car bonus” promised by Nutrition for Life International MLM scam.
In the end the “car bonus” remains only a dream, a lure in a scam. When someone tries to explain them that it’s a scam, they don’t get it or want to believe it.
People they face are sceptical, asking tough guestions they can’t answer. Even when the network collapses, these kind of people still cling to it, unwilling to give up. Their dreams remain as borken as the car they are left stuck with.
MLM scams and their victims haven’t changed that much at the core, I’m sure you can spot many similarities with OneCoin and other scams:
youtube.com/watch?v=LBCZ9Z9-8Yc (English subtitles available)
I quote Konstantin Ignatov on October 4, 2018 on Facebook:
NOLINK://share-your-photo.com/b9c14397ee
Why did not he fly to Australia on Ruja’s private jet? Did Sebastian Greenwood take this when he fled? There are videos of this plane with the OneCoin sticker on YouTube…
NOLINK://share-your-photo.com/921e071167
This is genius! 😀 Anyone who sends an e-mail to office@ofccoinoffering.eu receives this answer:
NOLINK://share-your-photo.com/b0ffc1a6a5
NOLINK://share-your-photo.com/3ebecbca05
And who is the sender? Konstantin or Ruja? 🙂
^ LOL. Now they changed the email address on onecoinico.io with a big notification about the new email 😀
Whoever jumped on the ofccoinoffering.eu domain name should get a medal for services to pranking. TimTayshun, maybe? Looks a little like his prose style.
The OneCoin mugs are lucky that it wasn’t registered by a rival scammer who simply responded with invitations to send money and didn’t even bother to give them worthless tokens in return.
the “waaaawwwww” guy is back again, it’s definitively a mental problem; nolink://www.youtube.com/watch?v=IejFzsbb0rE&t
Ho hum, Igor Krnic just admitted he “only bought education packs to obtain coins”.
Isn’t he pretty high up the OneCoin dickrider management chain?
Of course nobody in OneCoin cares about the recycled Wikipedia article but still, even the higher ups aren’t keeping up appearances anymore.
What to do if there is no positive news from Sofia? Many OneCoiner publish old news about Ruja Ignatova, which does not really interest anyone. Published on Facebook eight hours ago:
NOLINK://share-your-photo.com/73fecfc099
Another OneCoiner linked an hour ago to a video from June 2016:
NOLINK://share-your-photo.com/2db8d1171a
Today (9th of October 2018) Ruja has been officially missing for a year: NOLINK://imgur.com/a/pQuQUPk
I suggest the donkey’s hold an “Anniversary of Ruja’s absence”, coupled with 5 minutes of silence for the loss of their hard-earned money.
NOLINK://share-your-photo.com/4ab705934c
Who wants to exchange his worthless OFCs into worthless OneCoins, has to wait how long? At the moment the page is still dead. “Coming soon”? 🙂
That’s a long maternity leave. Is Ignatova an elephant in disguise?
@Malthusian
No! Elephants have pretty legs!
NOLINK://https://share-your-photo.com/03ff90afbd
But this photo explains why Ruja was always on stage with clothes that reached to the floor. (Ozedit: Let’s leave the gypsy stuff out of the discussion thanks), but she can not buy new legs for millions of euros.
You can not find them on their DealShitter portal either. 🙂
NOLINK://share-your-photo.com/c7d3d0516b
^ Yeah saw that on Facebook. Lets see what kind of whitepaper they will publish after 4 years.
I’m expecting something which makes members whoop (which would be any BS at this point) and knowledgeable people shake their heads. 😀
If anything is released it’ll be published by whoever they paid to put it together.
The whitepaper probably will make sense but have nothing to do with OneCoin’s actual MYSQL database.
Poor Igor. He is scared that “haters” are going to be able to infiltrate his blog. So here’s what he now makes people do to post, and I quote:
Can’t have people exposing the truth there for the members to read and get educated. Must be getting harder to keep the lies covering OC”s arse for him to take this action.
@Lynndel
The thread about the dubious Bulgarian car dealer Kralev Cars Ltd. was closed by Igor. Reason:
NOLINK://share-your-photo.com/bcc2324a79
No, Igor, you notorious liar – it’s not all said on this subject!
1. Kralev Cars Ltd. is a member registered in your “forum”. Why does not this ominous “company” answer in the forum?
2. Google maps shows this photo of Kralev Cars in Russe. Very attractive. There cars are sold, which cost up to 200,000 euros (Audi A8).
NOLINK://share-your-photo.com/50cb4c378c
3. Kralev Cars Ltd. allegedly sells new cars all over the world – without a website!
4. Kralev Cars is just an unattractive used car dealer and is not authorized to sell new cars like BMW, Audi etc. This is also recognizable by the clothing of the “seller”. Who would buy a new car for these figures for 100,000 euros?
NOLINK://share-your-photo.com/22f46c2827
Here’s the whitepaper OneCoin released. Seems to be like extended FAQ. Very little technical details.
(Ozedit: link 403 as of July 2019)
This “whitepaper” absolutely describes zero of the technical aspects of the alledged blockchain. Just a lot of the old promotion talk and a lot of disclaimers that nothing is their fault if things go south.
And again this claim of making constant back-ups. lol. Apparently this never happened during the raid in january. Even though Igor claims that is the reason for all the delays.
Just… Laughable. “facepalm”.
The whitepaper is basically extended T&C document made by mixing from several sources in a way that doesn’t make much sense.
E.g. it talks about market risks etc but in legal print it clearly states that ” This Whitepaper does not constitute a prospectus or offer document of any sort and is not intended to constitute an offer of securities or a solicitation for investment in securities in any jurisdiction”.
Lets take an example from the very few technical aspects of the paper. The following statement simply isn’t true for OneCoin, you cannot explore the transactions in blockchain:
And in fact, the statement above partially is copy-pasted from the old Marcelo Garcia White Paper (which described on general level a theoretical upcomping centralized blockchain solution which was never implemented by OneCoin) but contradicts it because it, more sensibly, recommends “anchoring” to the “system of higher trust”(meaning real blockchain like Bitcoin or Ethereum) spefically because the central company could easily tamper the ledgers:
I spotted at least one other copy-pastes from the old White paper (the “AWS 2xlarge instance” section. And one other technical text snippet is heavily borrowed from Bitcoin white paper.
In addition, there is an oddity, the mysterious SILO which, I think, refers to the old SILO Capital Group company which was supposed to handle the previous “offering”. I guess they forgot to paste the new shell company’s name:
OTOH, the White Paper contains many similarities to that of SILO index token, especially in the legal print. It has some of the exactly same sentences or sentence structures, in same order.
I don’t know if this is some run-of-the-mill altcoin legal text template that both are borrowing from or is there a real connection.
Compare: silo.network/wp/draftV3.pdf
What do you think?
Pop up on DealShitter:
As always with OneCoin everything is only announced, but implemented much later. Also on this innovation you have to wait another 20 days.
NOLINK://share-your-photo.com/4d8b9e09f7
Well, we all knew the WhitePaper would be something like this. Mostly FAQ/T&C with copy pastes and basically nothing new which hasn’t been said already.
And the idea to have totally centralized non-premined POW system, is ridiculous.
There’s no computational competition in a totally centralized system, so what’s the point of totally centralized proof-of-work?
And the members are not mining anything, but I guess the idea is to imply to the ignorant members they are.
Obviously the goal was just to get some paper online, which would keep the remaining leaders/members believing.
Very difficult to see there would be a lot of stupid investors who would buy OFCs based on this paper.
Well, the white paper may be released, but how many countries can actually read it? I know if you are in the US you are banned from reading the white paper.
Makes me believe that all the countries where action has been taken against OC or their is an investigation ongoing they are probably also banned from reading it.
Since this is the “gem” of their proof, you would think they want it read by everyone no matter where they live. But then this is OC we are talking about.
A blatant lie in #OneCoin WhitePaper. OneCoin critics have been asking for 4 years, WHY users infact CAN’T see their transactions in a blockchain. This is also an open question to Igor Krnic who promised to find out about this issue but never did.
Why the WhitePaper blatantly lies?
https://image.ibb.co/cuvxEU/wp_lie.png
In the link below is Igor Krnic’s excuses regarding the OneCoin blockchain. Problems in his explanations:
1: There’s no paper describing inspection of THE VALIDITY (that valid user transactions are there) of the alleged blockchain. Sure, they can have some blockchain system for show which the BackOffice “blockchain view” presents, pure show charade.
But that doesn’t mean VALIDITY. There’s no OneCoin blockchain where user transactions are visible, period. Interesting that the WhitePaper now purely lies about this.
Krnic doesn’t seem to be anymore interested in verifying the validity, although in the summer he assured me many times in private conversations, that he will personally go to Sofia to see if his OneCoin transactions can be found in the blockhain.
He lied again, he didn’t go. Not surprising as becoming GLG Inner Circle, there’s no room for any kind of questioning of OneCoin anymore.
2: The only information about investigation “results” comes from OneCoin itself. Krnic even claims German authorities have cleared OneCoin, which is definitely not true.
Investigations of world wide scams like OneCoin take years. Krnic hasn’t mentioned the 400 million USD OneCoin money laundering case going on in USA even with one word.
https://image.ibb.co/hkKudp/krnic_excuse.png
We have it all wrong. The White Paper is just fine as is. Igor has explained all the pesky issues away and has given the final definitive answers so end of story. It is just haters being haters, nothing new.
After all he knows more about OC than anyone else in the world and if he says it is all good, then by God it is all good and you shouldn’t listen to any of us “haters.”
You can read his BS on his White Paper blog to see how we got it all wrong and he is right.
The WhitePaper tells this to the possible investors:
Igor Krnic excuse:
Yeah, so according to Krnic it’s “hater spinoff” to claim that WP talks about users having the opportunity to see transactions in a blockchain, when the WP talks about OneCoin blockchain system and user having access to blocks.
WTF blocks the WhitePaper talks about which users have access to, if not blockchain blocks??
And Krnic talks about “hater spinoff”.. Yeah right.
@Lynndel @WhistleBlowerFin
I can not understand your criticism of Igor Krnic. You are probably under-informed and have not read this on Facebook:
NOLINK://share-your-photo.com/5e6bb4fb44
Igor is likely to receive the Nobel Prize for cryptocurrencies soon! I firmly believe it. 🙂
If not Nobel, then Ig-Nobel.
1st prize – brand New residence (amenities: daily meals, 1hour work out time daily, close friends likely to be neighbors or roommates).
2nd prize – set of silver bracelets and free legal education course.
Supposedly, you can now buy property in Australia and pay for it with OneCoins. This was heavily advertised on Facebook:
NOLINK://share-your-photo.com/11ec533341
NOLINK://share-your-photo.com/cba54f994d
This company was represented at the so-called “DealShaker Expo” in Melbourne: Ninja Property Solutions (ninjapropertysolutions.com.au).
On October 9, I asked this company via e-mail if I could pay homes, houses or land with OneCoin. I have not received an answer to date! 🙁
NOLINK://share-your-photo.com/401b191c3c
I like the following comment a lot better: 😀
NOLINK://share-your-photo.com/9e992d9ec1
Take a look at this Ninja Property real estate deal:
dealshaker.com/en/deal/country-sea-side-home-2-hours-from-adelaide-australia/YxFbWwcoWJT2rlo72vupmZzC*OrIZTvRoSoNM7vDi5o~
There something fishy, as always.
Look at the conditions of the deal:
When OneCoins are found valueless, you must pay the full amount with real money.
What’s even more funny, it seems that the land lot where they plan to build the property is still for sale:
lanser.com.au/land-for-sale/aspire/lot-89-darling-street-aspire/
It’s like they never even reserved the lot, let alone sought building permits to it.
Reeks like a big scam, like you’d expect from OneCoin. Can you imagine this was a highlight in recent Melbourne event, hyped by Konstantin himself.
These people should buy new brains with their One Coins!
@Yo
Complete brains are unfortunately not offered on DealShitter. But I recommend the purchase of BRAINMAX from Vietnam:
NOLINK://share-your-photo.com/b088a08513
Maybe someone can shed a light on it:
onecoinico.io/WhitePaper-ofc.pdf
Sure. It’s worthless and meaningless BS.
Rationale: No price, no aimed target, no technical content, save for the part that is heavily plagiarized from the old Whitepaper planned for “OneCoin blockchain 3.0” and bitcoin white paper.
And the technical part does not even make sense either:
In addition to the point already made in comment #529, there’s this:
White paper says that: “OneCoin blockchain use proof-of-work (POW) that involves scanning for a value. When hashed, such as with SHA-256, the hash begins with a needed target (for example a number of zero bits).
The proof-of-work is implemented by incrementing a nonce in the block until a value is found that gives the block’s hash the required target.
Once the CPU effort has been expended to make it satisfy the POW, the block cannot be changed without redoing the work.”
Very well, let’s check on the actual block from what OneCoin “provides access to users” to, calling it “blockchain”:
NOLINK://www.onelife.eu/backend/cryptocurrency/blockchain/block/68eed4ec23efa82d40fd3b301eb8d9662a32231fe4a4363e2f17e7d3929c6da5
In numerous occasions ca. 2016 The OneCoin top leaders said there are three server rooms full of supercomputers mining the blockchain. This vast amount of computing power has produced a hash “68eed4ec23efa82d40fd3b301eb8d9662a32231fe4a4363e2f17e7d3929c6da5” with 1 (yes, ONE) leading zero bit. (6hex == 0110bin)
That by average needs counting of TWO hashes before you have such a hash!
Well we can hang to the “such as with” and “for example” parts of the white paper and say that ONE does NOT use SHA-256 algorithm or zero bits.
Fine, we can do so. That then means that the white paper fails to name the hashing method and means of mining effort increase, making the white paper even less meaningless than it already is.
But even then the white paper explains the functionality of the nonce value with no room for error and the nonce in the latest block is a mind blowing 3640, which means these super computers have apparently spent 1 minute of their hashing power to count the hash only 3640 times.
That’s one hell of a hash function when three server rooms filled with supercomputers can only calculate the hash once per second! 😀
@Semjon
Another supplier from Australia is: DYNAMICO PROPERTY PTY LTD
NOLINK://share-your-photo.com/de1341eb8e
Excerpt from the clauses:
My mother has always warned me about used car sellers and real estate agents!
Complement to my comment #526:
The pop up is no longer displayed in Germany today. Why? Will the next revolution on DealShitter no longer take place? 🙂
(Translated by Google)
Source: NOLINK://www.network-karriere.com/2018/10/11/shitcoins-und-mlm-systeme-vermittler-k%C3%B6nnen-haftbar-gemacht-werden/
Can someone explain this page?
NOLINK://etherscan.io/token/0xb494dd34a515713e5a4ebf52368e405e1241880b
NOLINK://share-your-photo.com/d069aa2fb0
NOLINK://sales.onecoinico.io/dashboard
Available packages:
NOLINK://share-your-photo.com/a109c06ccf
3,482,425 ONELIFE MEMBERS miss their beloved Cryptoqueen:
NOLINK://share-your-photo.com/1565d983ff
She probably emigrated to Vietnam and is now building 1,000 bridges there:
NOLINK://share-your-photo.com/411efa5383
New scam events today in Birmingham and tomorrow in London with Sayid Abdi (“Blue Diamond & Inner Circle”):
NOLINK://share-your-photo.com/719d79de4d
The stupid do not die out:
NOLINK://share-your-photo.com/348aab5980
The dubious car dealer Kralev Cars Ltd. from Bulgaria, who offered thousands of new cars on DealShitter, here in an interview:
NOLINK://share-your-photo.com/71c57e8be8
The two women and the man on the left are from Russia and Kazakhstan. Is Petar Kralev also a Russian?
NOLINK://www.youtube.com/watch?v=X_i6dlvjqW8
We all know that Ruja never officially launched OneCoin Fraud in the United States. But I regularly find advertising for OneCoin in the US. Here is an excerpt:
NOLINK://share-your-photo.com/fa1ce55374
NOLINK://share-your-photo.com/2a062f30ca
A look at the undeveloped field:
NOLINK://share-your-photo.com/56029d1618
Onecoin investor, Junoid, who goes by Crypto Jay on YouTube has just produced the most compelling mini-documentary about the most recent phase of Onecoin, including touching on the exodus of the majority of leadership, comparison between what ANY NORMAL crypto/ token ICO procedure, standards, RoadMap and outline/ requirements look like; and so much more!
This is THE ABSOLUTE BEST video about Onecoin I’ve EVER seen from “an insider” whom may just begin to be realizing that members have been completely taken advantage of and that they may in fact be victims-by-design.
HERE: NOLINK://www.youtube.com/watch?v=_twFdERmG1Y
Kudos to “Crypto Jay” for exposing the truth, as an insider, and putting together a very well thought out and organized overview and State-of-the-Nation of Onecoin.
I really hope this video is heavily shared amongst current victims, especially in Pakistan and India, but also to anyone who still believes in OC.
^ IMO that’s overall the best video released by anybody about the OneCoin scheme so far, and the value is even bigger, because it was done by a OneCoin member.
I saw Igor already doing his job on his forum, but his reply was basically only the same old lie: “but but, German investigation cleared OneCoin..”.
I have to say wow! I didn’t expect this. OneCoin members are finally waking up, asking the right questions and bringing up many of the red flags with detailed explanations.
This deserves to be linked again, and people should spread this as much as possible:
Looking into OneCoin and CryptoWorld (English Ver.) By Junaid Lodhi (Ozedit: video 404 as of March 2020)
I found it funny that Igor said he did not watch it, nor does he intend to watch it, and then went into a long discussion of the video. Also said it was a waste of his time to watch it.
So Igor, how can you such a detailed comment on it if you didn’t watch it? Lie much?
Thanks for all the writings.
I want to remember of this famous investigation:
onecoinscam.info/blockchain-simulator/
I check this out with an OneCoin owner and they said: its true, there is NO connection between the warehouse (Customers/Onecoins) and the so called blockain.
Actual, the blockchain has no new entries since 4 days.
It’s a CULT. FACTS don’t matter at all.
OneCULT members will believe whatever the CULT teaches them.
Even when Ruja and Sebastian are arrested, CULT members won’t budge.
There will be no help. OneCULT members are already “SOLD.”
No matter what, the outcome is because of haters.
Stupid people are destined to believe the most stupid things normal people could never even imagine.
Onecoin victims are a special kind of stupid, at this point.
They have no hope, so don’t even try. These are the stupidest of stupid which remain. Sadly, you can’t fix stupid.
Funny, at the ICO, you can only pay with Bitcoin or etherum, all are complete private.
OneCoin makes marketing for KYC, but payment is made with the so hated BitCoin 🙂
Anybody knows of this comapny?
@Prinz Bernhard
Please read my comment #396.
Did Igor Krnic banned you? Anyway, here you’ll learn the truths about the worldwide OneCoin scam, with Igor you’ve only found lies and cheap excuses.
They probably ran out of puzzle pieces then.
(Explanation for that)
In 2015 already the OneCoin big names explained that the “mining” is like “building a puzzle that gets constantly harder and harder” and that “when last of the solutions has been found, no new coins can be created and the mining ends”.
It is extremely funny as it 1:1 implies that the blockchain can no longer get new blocks after last of the coins is mined. No transactions can be made, no payments can occur. Total halt of the OneCoin.
New lies by Jose Gordo of October 10, 2018
NOLINK://share-your-photo.com/3aa9250792
Yes, Igor banned me. Seams, my information does not fit to the One-Coin Main Stream. Did you see my name there as well ?
Thanks für #396
OFC package sales started. Prices are 150€-11000€. Only payment methods BTC and ETH. Showing on OneCoin ICO Dashboard.
When you pay 11.000€, you get (actual) 450.000 OFC.
Does somebody knows (may be out of the white paper), what will be there a conversation rate OFC –> OneCoin?
Actual for me is it like: you pay any money, but what is the promise to get with this money?
It´s like a box of chocolates, if you pick one, you don´t know, what is in there. (thats how live is, as Forest Gump says)
Basically OFC = “sorry for your loss now give us your BTC and ETH too” altcoin exit scam.
OFC points –> OneCoin points is an assumption and has not been confirmed.
OneCoin’s primary goal is still to steal as much of your money as possible. They’re just making it up as they go along.
@Prinz Bernhard,
Why did Igor ban you? Any idea? I can’t see any so “bad” message from you, or did he delete something? Are you a OneCoin member?
NOLINK://share-your-photo.com/74b8e62f9d
Dacia Druster? 🙂 A new model, especially for Kralev Cars Ltd. built? In Germany we only know one Dacia Duster!
Petar Kralev links to this page:
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/hThctD5F0CLpUP1M4k597HxvKNu3bj00OEK2x*Etn8E~
There are not offered five Dacia Druster, but only one! For 888.01 ONE, which corresponds to 23,843.07 euros.
NOLINK://share-your-photo.com/f9749db43f
For comparison: In Germany, this model costs 16,900 euros. In addition, the German model has 114 hp, the Kralev Cars Ltd. only 110 hp. Probably an old model or a model for other markets.
NOLINK://share-your-photo.com/639bb2f1f7
Ridiculous is also this note: 😀
Most OneCoin fraud events are no longer announced on onelifeevents.eu, although such events take place all over the world. These include the so-called DealShaker Expo’s in South America, the Caribbean and Africa.
However, the CANADA DEALSHAKER EXPO 2018 will be officially announced from 16 to 18 November in Canada. Konstantin Ignatov will not be announced as a speaker, but many “celebrities” of the OneCoin scam will be present:
NOLINK://share-your-photo.com/f492468543
In the OneLife hierarchy, the Vietnamese Simon Le (real name: Lê Simon Quốc-Hưng) is now in the first place – as “Crown Diamond” and “Master Distributor”.
This brainwashed daily Simon Le is extremely hardworking and has already published thousands of photos of his own and other scams on Facebook:
NOLINK://www.facebook.com/synergy.tiffsimon
If that walking preacher dies one day, his name will not be his tombstone, but “OneCoin – OneLife – One Academy – OneForex – ONE – Aurum Gold Coin – CoinVegas – OFC – OneCoin ICO” and so on.
There are five.
Kralev now has 50 open deals in Dealshitter, each of them has one (1) coupon only. That is:
-10 deals, each featuring one coupon for KIA Picanto
-5 deals, each featuring one coupon for Ford Mondeo
-5 deals, each featuring one coupon for Peugeot 3008
-5 deals, each featuring one coupon for Peugeot 2008
-5 deals, each featuring one coupon for Volkswagen Golf
-5 deals, each featuring one coupon for Volkswagen Tuguan (sic.)
-5 deals, each featuring one coupon for Dacia Logan
-5 deals, each featuring one coupon for Dacia Lodgy
And
-5 deals, each featuring one coupon for Dacia “Druster” each (Please note the different URLs):
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/hThctD5F0CLpUP1M4k597HxvKNu3bj00OEK2x*Etn8E~
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/lqSKrDfQZqhRa7qZ9AEflbkFfLERiDA*dBYjHPCx8-8~
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/8oOYgPpXcfwdnXyjdGDkWSFn0m1wWi7fDHe*lcfxDnQ~
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/Szgp5FYsC91xUG0NVH7WhyJ4N4yZvOiuy0-EUaJMBNU~
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/DsxRK5aiNKaYtEHRB7clvU90CH-JZ8kEQzDM-fz7D-E~
(Sorry for excess linkage, I hope Oz will let this out from moderation jail.)
I’ve been talking to a friend about this and they found out that the onecoinico io site is running off their own DNS which makes it much harder to take down. And also something about the site being run from 5 different servers as well as the use of cloudflare.
Can anyone comment on this? I think he did a DNS lookup (available from any free site) but I can’t personally understand the information.
Igor Krnic was commissioned by God to create his lie and fairy tale forum:
NOLINK://share-your-photo.com/1fa3bb0329
Anyone attempting to contact Kralev Cars Ltd faces significant difficulties. Here are some quotes:
NOLINK://share-your-photo.com/7ebba5832e
What happened to this dubious deal?
When Kralev has sold all the coupons, he has collected 1,750,000 euros. And in addition 103,250 (worthless) ONE.
NOLINK://image.ibb.co/bFxoRy/kralev_reservation_small.jpg
@Melanie ^
I don’t think Kralev was able to sell those reservation coupons. That image is a preview of a deal.
The company knew there’s no way the thousands of car deals can happen, so it would have been much more bigger mess with real money reservation coupons mixed in to this charade.
I don´t know, you have seen my entries. I make in my sense only neutral comments and does not blamed OneCoin as scam.
It just means the site is running on a VPS or dedicated server. Has no bearing on how hard it is to take down.
Using CF for CDN mirroring and geo-blocking. No idea how many servers are behind CF.
It’s really simply why you were banned. You were raising issues that Igor didn’t want to address or have to explain them away. Even though you were a member, you were drifting to become a hater and he can’t have that on his blog.
Junoid’s video contained facts, and Igor can’t deal with real facts only his version of the facts. I can almost promise you that Igor took flatrate to task in a PM because of his anger about the OFC situation. Just look at his initial posts and then his latest one and you can see he had a ‘change of heart.’
But welcome to the club of banned members of his blog. Won’t be long until there are more of us than there are posting there. LOL!
Apparently this guy got robbed while buying on dealshitter. He sent the money via western union.
Archived the thread in case it disappears: archive.fo/H38zX
So, you can currently buy the ICO packagaes only with BTC/ETH. This means that the pool of potential participants is very small, limited mainly to “tech geeks” which OneCoiners usually only deride.
What a lack of ambition for a future “global reserve currency”!
It might be hard to find a payment service company corrupt enough to give services to them (Panama papers comapny with corrupt law firm acting as a front orgazation to hide the real beneficiaries, see my comment #353 – and this company preaches about the importance of KYB, AML and due diligence!).
In T&C/FAQ they mentioned EUR as a payment option, but it would be out of order, if OneCoin actually delivered what it promised.
I forgot add that “the offering” is not only limited to tech geeks but to tech geeks except in these major countries:
China, Bangladesh, Nepal, Macedonia, France, United States of America, Bolivia, India, Pakistan, Algeria, Morocco, Mexico & Germany.
I think it’s safe to say that the clear majority of already small pool of all crypto currency owners (estimed to be well below 10 million) are in these banned countries. Perhaps in USA alone.
Like just about every action since OneCoin lost their bank accounts, this joke-of-an-ICO is there just to try to milk the last drops out of the gullible crowd.
We all can tell that the big money stopped flowing in at the time major promoters jumped off the ship and started competing ventures like DagCoin.
The test page for the new DealShitter?
NOLINK://vptestsitedeals.com/staging/ or direct to
NOLINK://vptestsitedeals.com/staging/stores/products
On October 13, 2018, this video was uploaded to YouTube:
NOLINK://share-your-photo.com/1e9a96502f
Below the video you will find numerous links to the alleged OneCoin haters. I repeat here what I have said on several occasions: You can hate people, but not a pseudo-cryptocurrency. Idiotic are not the OneCoin critics, but the guy who created this video!
Hmm, tried to access the video and it is no longer available. Wonder what happened in only 2 days?
Response to my comment at this film
It is still there: youtube.com/watch?v=lnKZ5Smor64&feature=em-comments
Mr. One is not my very best friend.
The next video of the asshole called “one” on YouTube:
NOLINK://share-your-photo.com/6c8a033597
Jennifer McAdam does a great job – as do all the others who educate about the OneCoin scam. Of course, people with an intelligence quotient of a mosquito will never recognize that. 🙂
A warning from Uganda, where the OneCoin scammers are currently very active:
NOLINK://share-your-photo.com/df8b8fd461
NOLINK://www.monitor.co.ug/Business/Prosper/Why-OneCoin-ponzi-scheme/688616-4741768-kmjy8hz/index.html
I’m sad! Very sad! On November 1, 2018, I wanted to buy this apartment in Sydney and pay 100% with OneCoin:
NOLINK://share-your-photo.com/de1341eb8e
When I called the website…
NOLINK://www.dealshaker.com/en/deal/1-bedroom-apartment-in-sydney-exclusive-investment-property-high-yield-return-opportunities/ceyoKMfzWalTEVyWlXUuluG9xPcW7Kne-OHlKiqiyDk~
…today, I was terribly disappointed!
NOLINK://share-your-photo.com/653bcc0226
The late German Chancellor Helmut Schmidt, a very realistic and popular politician, once said:
“Anyone who has visions, should go to the doctor!” 🙂
So-called visions, including those of Ruja Ignatova, turn out to be very fast spinning. A mixture of lies and fairy tales and a lot of criminal energy!
NOLINK://share-your-photo.com/92bf75ba2c
@Otto
Thanks for the hint. After writing my comment, I noticed that for myself.
The fact is that Kralev Cars LTD has canceled many deals on DealShitter. I found this comment on Facebook:
NOLINK://share-your-photo.com/be70352f8a
I do not know if this lineup is complete. I miss the offers of high-priced vehicles such as BMW, Audi, Mercedes, etc. Here is an example of 50 Audi A 8 for 183,000 euros / piece:
NOLINK://share-your-photo.com/9b6dfaeb03
That was complete list of what was canceled then.
Audi’s, BMW’s etc. we’re left intact as they were due only later in the year. That was still close to 50 deals left with 15-30 coupons each. They were canceled later and replaced with Dacias.
All original deals are gone now, there is 50 cars available, none of which are the ones that were used for selling OneCoin to investors.
“Future of payments”.
Further prohibitions and warnings against Onecoin pyramid fraud in Samoa, today:
sobserver.ws/en/17_10_2018/local/37647/Avoid-One-Coin-cryptocurrency-says-PM.htm
(Prime Minister = “hater”)
Lol
NOLINK://www.khmertimeskh.com/50540685/singapore-based-firm-to-tap-on-digital-currency/
15 euro fee for a single transfer? Why do the OneCoin idiots have to pay with euros and not with ONE? Is this the highly praised “future of payments”? Exorbitant fees and weeks of waiting – I’m thrilled! 😀
NOLINK://share-your-photo.com/0163197e34
Igor Krnic would say “Bad IMAs, nothing to do with OneCoin”.
Well, it’s true that the emphasis of IMA scamming has been moving towards hyping incredible DealShaker deals. “You can buy houses, apartments, cars with OneCoin!! There are over 80000 registered businesses in DealShaker!”.
This is the “legal” way to lure people in to OneCoin nowadays. Then of course if you start inspecting these claims closer, the truth is very much different than the hype. No cars delivered, deals becoming active in the future and then disappearing, fraction of total deals listed on DealShaker compared to “registered merchants”, minimal number of really good deals, and so on. The reason being of course, that OneCoin has no exchangeable FIAT value.
But by changing the emphasis to hype deals instead of clearly illegal direct profit promises, they try to avoid this kind of problems like in Samoa.
“Bad IMAs, good company” is a standard ruse in MLM scam industry. (John Oliver’s MLM busting video features an example of it from Youngevity [c.a 5 min onwards]: youtube.com/watch?v=s6MwGeOm8iI )
It really takes a cultist and low-IQ mind to not see the connection why these scamming, snake-oil-salemanish, over-hyping IMAs are drawn into the company and usually even heavily promoted by it. The Company takes no responsibility, it only takes the money.
If it walks like a duck, acts like a duck, claims it’s only a scammy IMA duck, then it is the ponzi pimp duck nesting on top of pyramid schemes. 😀
Has the dubious car dealer Kralev Cars LTD from Bulgaria actually sold 25 new VW Passat? On Facebook this is doubted:
NOLINK://share-your-photo.com/d5a671062a
NOLINK://share-your-photo.com/385a8b9ef1
Of course, as usual with “serious” fraudsters, Kralev Cars Ltd. does not answer any questions. For example, after the additional VAT to be paid:
NOLINK://share-your-photo.com/f4570d5a5c
On critical comments on Facebook Kralev Cars Ltd. reacted immediately radical:
Kralev Cars Ltd announces new sales:
NOLINK://share-your-photo.com/b721b3e42e
The Ford Mondeo costs 39,500 euros. If a German buys the Mondeo, he must additionally pay 19% VAT, that is 7,505 euros. And of course the transport costs.
The German legislator requires that all prices including VAT be distinguished. Since the DealShitter portal also applies to German customers, such offers should not be published at all! Also problematic are these statements:
Which guarantee? The warranty conditions are not identical everywhere! And who buys a car from a re-seller can get problems if he has to have warranty work done in Germany.
My verdict: Only idiots and desperate buy a new car at Kralev Cars Ltd. But OneCoiner have no other way to make their coin scrap useful.
NOLINK://share-your-photo.com/4d6c189cd8
just for information an update; just now 17.10.2018 17:00 (MEZ)
actual situation of the OneCoin-Blockchain simulator
onelife.eu/backend/cryptocurrency/blockchain/tx
–> No transaction within the last 8 days
wallet.onecoin.eu/blockchain/
–> UNDER MAINTENANCE
This is, how the … biggest blockchain-Company ever … works.
I was checking the new Dealshker testsite (vptestsitedeals.com/staging/stores/products) to see if there are any changes, and I accidentaly found their partner company which is doing the Social Engine customization work for them: it’s BigStep Technologies.
Click the link where it reads “dealshaker.com” and it goes not to the old DealShitter but to their website bigsteptech.com. It’s an India based company.
Wonder if they know that they are enabling a global scam?
@Melanie
Try to understand the situation the OneCoin investors are in:
They have invested thousands of euros and what they now possess are coins that cannot be exchanged back to those euros, not on any exchange rate. They are desperate to somehow transform their worthless OneCoins to anything that is of some real world value.
In fact OneCoin investors are so desperate that if someone started selling used jeans, they would buy those in hundreds hoping they can cash back at least some of their OneCoins by selling those jeans at a flea market.
(Pun intended.)
When a 40 000€ BMW was sold in Dealshaker Expo, the auction went as high as 3.6 million OneCoins. By the “official” price of the coin at the time (20.75€) that is roughly 75 million euros! The buyer felt that he’s willing to exchange his coins to euros for exchange rate of 0.0111€ per OneCoin.
And that is still better than the 0€ the real value is.
The deals Kralev offers are orders of magnitude better than that auction. But of course those cars will never be delivered unless OneLife buys some cars and donates them to Kralev Cars, because Kralev Cars cannot buy those cars from factory using the Onecoins they have received when selling the – ahem – “coupons” for the cars.
Nice, Igor does not trust the OneCoin-BlockChain explorer
Damn,a little newspaper from Austria postet a positiv article about onecoin… Can someone Help to Bring them the truth?
I make a short comment there, but i think thats Not enough…
meinbezirk.at/villach/c-lokales/trend-kryptowaehrung-hat-auch-villach-erreicht_a2968665#gallery=null
Thx, Stop this oneshit!
@Prinz Bernhard
…ummm, huh? So, the ultra gifted and elusive Dev Team creating the “Bitcoin Killing” BLOCKCHAIN (have had plenty of practice now), rather than show that the 2nd (3rd?) version exists directly …failed at coding the script to reflect that it is actually working because it was just too technical a chore for them?
Blockchain = “Don’t Trust. VERIFY!”
Kralev sold 19 cars out of the 15 they had for sale. Three “Drusters” and one Logan were sold twice.
(Because – you know – Dealshaker is the superb platform that lets things like this happen.)
they will be paid with 4 Mio. OneCoins 🙂 🙂 🙂 🙂
@Mr yosie locote
The article sounds positive, but at least it ends with this paragraph:
And – in bold – is also mentioned:
The author of this article – Alexandra Wrann – has guaranteed not informed in detail about OneCoin. She only reports on regional topics.
The Wolfgang Grein mentioned in the article is a very bad guy who strongly promotes and supports the OneCoin scam. On Facebook, on YouTube and as a “president” of a so-called nonprofit association called 1.Club Kryptowährung Austria Villach with this website:
NOLINK://www.kryptowaehrung-austria.at
NOLINK://share-your-photo.com/56d7440db4
In addition, Wolfgang Grein has published this PDF (27 pages) for the DealShitter:
NOLINK://www.rfp.at/pdf/Dealshaker.Ausfuellhilfe.Merchant.Account.Adressbook.Create.a.Deal.pdf
Been hearing some talk of a planned OneScam event soon in Vancouver. Maybe November. Anyone else heard about it?
There was an interesting discussion going on on Igor’s forum today, but “surprisingly” the OneCoin Inner Circle apologist did the usual in the end: deleted messages he can’t answer properly..
Archived messages here. Last 4 messages you can see in this archive have been deleted from Igor’s forum.
https://web.archive.org/web/20181018112321/http://onecoin-debate.com/viewtopic.php?f=2&t=4252&start=630
@Ty
Please read my comment #570.
Many merchants have registered on DealShitter but do not offer any products or services. A guy who does not know whether he is Martin Wilhelmer or Martin Wilhermer comments on this topic:
NOLINK://share-your-photo.com/5a0821f60b
@WhistlebBlowerFin
Perhaps best way to understand OneCoin is to realize that, as a Bulgarian company, it’s rife with Soviet mentality and antics.
Customer service is non-existent/non-responsive, incompetent nomenklatura buffoons are put into leadership positions, workers – like Igor suspects – work slowly intentionally (the legendary joke “we prented to work, they prentend to pay”), difficult questions are censored, ordinary people are kept in the dark on what is happening; leaders disappear, defect and get replaced for unknown reasons; independent and critical thinking is disgouraged or even punished; the fiat conversion will eternally “soon arrive” for the ordinary folk just like socialist utopia did, “work harder and be more patient, the Leader has shown as us the true way and we must follow her beautiful vision”…
And mostly, in very Soviet vein, OneCoin rests on a notion that a central authority knows the economic reality better than markets: Ruja’s mysterious – to the degree of being non-existent – magic algorithms determine the right price better than markets and is immune to inflation. It’s all a big lie but a very Soviet one.
Amazing work by Scam Detector (Ari Widel) putting together the puzzle pieces which give insight as to how the heck this kleptoclowncoin continues to breath:
SOURCE: kusetukset.blogspot.com/2018/10/onecoin-bank-accounts-in-latin-america.html?m=1
An earlier rumor which came from a top, now defected OC Leader, claimed that the Steinkellers had left OneCon under circumstances stemming from a territorial dispute/ Agreement with Panamanian and/or Columbian criminal syndicate(s) whom they’d angered by moving so swiftly into central America (and presumably, they weren’t getting their “fair cut”) or something of the sorts.
Allegedly threats were levied and an ultimatum reached, resulting in Steinkeller definitively announcing that they were (something to the effect of) “leaving OneCon totally and leaving no bridge remaining.”
Meanwhile, in the interim, the 4th “Steinkeller,” the unrelated Stefan Liback, assumed his (fake) “brothers” role and downline before also seeming to disappear around the end of 2017, unannounced and unexplainedly (as is par for the course).
This is particularly interesting if Panama bank is indeed tied to them still. Additionally interesting is of course that Steinkeller’s are now promoting FutureNet, after putting a supposed >12 month distance between themselves and anything Onecoin.
Some years back HSBC Bank paid a record billion dollar fine for Money Laundering and colluding with Mexico’s Sinoloa cartel, after a conviction for which details included HSBC branches having customized Teller Windows coincidentally cut perfectly to fit the arguably most violent cartel in Mexican history’s full suitcase depositors of dirty money.
If HSBC, one of the largest banks in the world colluded with cartels, I imagine these smaller banks palms would be much more easily greased.
Lulz at anyone who thought Konstantin was in South America for investor events…
Everywhere OneCoiner complain that their (worthless) millions have disappeared from the so-called “coin safe” without a trace. Here is a recent example from Facebook:
NOLINK://share-your-photo.com/5e14dd1441
Very often it is reported that the coins since May 2018 have disappeared from the coin safe. A technical defect? Is there no data backup? Or did the mice eat the coins? 😀
I read the conversation on OneCon debate. All I can envision is a bunch of adults playing a game of Monopoly and then having them show up in Atlantic City thinking they own the town – FOR REAL.
Sadly, it is entertaining to watch adults have a seemingly legitimate conversation on a company that is all make believe.
You might be on the right track.
There has not been any definite statement from the company (how could there be, in their POV everything is fine and there are no problems), but judging from the fact the coins simply do not appear back to the people’s accounts, no matter how many support tickets are opened, I see two plausible scenarios:
1) During the Sofia police raid the Coinsafe server was taken and never returned. And there is no backup. So they simply connot restore the coins as there is no data of the deposits that were in the CoinSafe.
2) When Coinsafe was announced, OneCoin leaders did not expect the ruse to continue this long. As they thought the ponzi would have collapsed by now, they never implemented a “return coins and interest back to account”-functionality to the Coinsafe (or at least did no test it). And now it’s too late.
Of course these are my speculations, but since your guess is as good as mine…
I don’t know if it’s just a coincidence but six of the Bulgarian companies which Ruja Ignatova was assosiacted with were closed around the time she disappeared in October 2017:
opencorporates.com/officers?q=РУЖА+ИГНАТОВА
The dubious, Bulgarian used car dealer Kralev Cars LTD offers on Dealshitter:
NOLINK://share-your-photo.com/5b48c82a41
Again a spelling error like the Dacia D(r)uster? In Germany, the model is definitely VW Tiguan! Or does the Petar Kralev deliver the Chinese version of the VW Tiguan? The model actually exists and is called VW Tu Guan:
NOLINK://share-your-photo.com/d861d97243
@Otto
Also in the onecoin-non-debate-forum of Igor Krnic complains a OneCoin millionaire:
NOLINK://https://share-your-photo.com/293473a133
Small consolation for the “HoneyBadger”: Your $ 90,000.00 is not gone! You can find them in the private wallet of Ruja Ignatova. Have fun searching! 😀
Now Igor Krnic went after the Internet Archive’s Web Archive to get inconvenient things removed. Starts to be pretty desperate when you have to go after Internet Archive. Smooth Igor. 😀
Read here: https://twitter.com/CryptoXpose/status/1053611562257338369
In Germany the wrong leading of titles like “doctor” is punishable. But that does not bother the Bulgarian used car dealer Petar Kralev, of course. He calls himself on Facebook:
NOLINK://https://share-your-photo.com/5594982246
The convicted Ruja Ignatova has crowned herself “Cryptoqueen”, Petar Kralev has awarded himself the doctoral title and Igor Krnic calls himself a “Specialist for cryptocurrencies”. Only I poor woman has to spend my life without a well-sounding title… 🙁
Konstantin’s presentation at the Uganda event:
youtube.com/watch?v=_Ljr_rhDhEI
Nothing but confusing, pretentious and incoherent fluff. Once again, OneLife people are left with more questions than answers.
He talks about the AHS Latam coin offering but doesn’t contextualize it in any way, like how it fits in the bigger picture. He doesn’t even go to details like payment options, conversion rates etc.
He seems surprised and disappointed that only about ten people from the audience has read the “White Paper”. Perhaps they think like Igor that OneLife people should not care about the damn coin offering. And he offers no reasons why they should.
He shows a slide where it says that DealShaker has over 127 000 registered merchants which is some 50 000 more than what it shows currently on DS front page. This number cooking (of already cooked numbers) shows how desparate they are.
Maybe someone should contact the Wayback Machine and ask them how they could delete these posts showing Igor’s post claiming that he didn’t watch the video, he didn’t have time to watch the video and didn’t have any intention to watch the video; so how could he know what was “in” the video and comment on it to get it removed.
Igor is starting to crack. The pressure is getting to him having to keep covering Ruja’s and OC’s arses, as more and more of the “believers” start questioning the lies and inconsistencies of OC’s actions.
So let me get this straight. This event was hyped as a must attend event, yet there were only about 300 people in the room from what I could see.
I only had time to watch the first 8-10 minutes but what I did see was not very enthusiastically received. Only a token smattering of applause. I’ll try to watch the rest later, but so far B-O-R-I-N-G!!!
And bet some of them were paid to attend and clap.
How could he remove archived snapshots from the away back machine. I did not even knew they allowed that. Should be ashamed
OneCoin Chief Excuses Officer – Igor Deleteit?
More like Igor Nodebate Deleteit Krnic.
It’s pretty easy. But we knew he could do this, so it’s no problem. Just have to take screenshots and use other archiving methods also.
But this clearly shows how concerned Krnic is, that he goes this far to try to hide messages..
nolink://blog.imincomelab.com/remove-site-wayback-machine-archive/
The “new Dealshitter” is promised to launch at the beginning of November.
Like any Onecoin promise, this too could be hype that only becomes a truth if the platform actually launches.
However it could be that they plan to launch the new service with the counter already preset to 127 000 at the start?
@Otto
Currently the counter stands at 287,000 members:
NOLINK://https://share-your-photo.com/b7fdfd06e2
Five days ago someone on Facebook asked these questions to the dubious used car dealer Kralev Cars Ltd:
NOLINK://https://share-your-photo.com/7bdc030e6a
Not Petar Kralev personally answered, but his “star seller” Slobodan Ogorelica. Extremely polite and respectful, as usual in the automotive industry in Bulgaria:
The questioner then responded again, but of course no one has responded to that. So that’s when you want to buy a new car from a “reputable” used car dealer in Bulgaria!
NOLINK://https://share-your-photo.com/935abf5268
@Semjon
How many tablets did Konstantin Ignatov – supposedly – give to poor children in Kampala (Uganda)? Please name a number between 1 and 1,000:
NOLINK://https://share-your-photo.com/66bf5865e5
Probably these were the tablets that were offered on h.t.t.p.s://www.onelife.eu/de/onetablet for the fancy price of 555 euros and were not for sale:
NOLINK://https://share-your-photo.com/078ea15e65
The government of Uganda is likely to erect a monument to Konstantin Ignatov or designate a street after him because of this generous donation…
Supplement to comments #358 and following:
Has the German Audi seller Steven Wagner quit his job at Audi? I just found these photos of him from Novosibirsk (DealShaker Expo):
NOLINK://https://share-your-photo.com/e565aa9ed4
NOLINK://https://share-your-photo.com/1ea5930ed1
New updates on Mark S. Scott’s Grand Jury indictment on money laundering charges of $400,000,000 related to Onecoin scam:
SOURCE: capecodtimes.com/news/20181021/alleged-pyramid-scheme-unravels
@Melanie
I too suspect that if the tablet donation really happened, Konstatin dumped part of the leftover stock of unsold OneTablets.
Their market value was under $100 in 2016 (https://behindmlm.com/companies/onecoin/onecoin-charging-7236-eur-for-a-550-eur-tablet/) – and is probably close to nothing currently.
OneTablet is yet another example of stupid and failed OneCoin project – it’s from an era when OneCoin Cloud and OneLife Mobile App Builder were supposed to be the next revolutionary things.
I guess they were quietely buried like AurumGoldCoins and CoinVegas and Ruja’s corpse.
facebook.com/Servus.Steven.Wagner
@Prinz Bernhard
Thanks for the hint. Steven Wagner has meanwhile revamped his private website deregulierung.com, but has not stopped his activities for the OneCoin scam. Whether Audi AG agrees?
NOLINK://https://share-your-photo.com/38741451f7
The shown in the photo Gunther Triebel is also a very bad rip-off, whose activities I watch for years.
The advertising for the OneCoin scam is always perverted:
NOLINK://https://share-your-photo.com/84673ccebb
If you are unemployed in Uganda, you have no money to buy Ruja’s “educational packages”. How should this work?
The so-called “support” of OneCoin / OneLife obviously works only one hour a week. Or has completely stopped its activity. Otherwise it is not to explain, that everywhere in the Internet (stupid) questions are asked, which should actually answer the support:
NOLINK://https://share-your-photo.com/17b06990ea
The operator of the blog coin-blog.de, Florian Pürner, is well known in Germany as an idiot with an IQ between 0 and 10. He answered like this:
NOLINK://https://share-your-photo.com/8800e4d76f
Now deal coupons are being advertised. But what value does such a coupon have? No one knows if the dubious Bulgarian used car dealer Kralev Cars Ltd. the purchased Ford Mondeo will actually deliver:
NOLINK://https://share-your-photo.com/7780bdb5c6
How stupid and simple-minded the OneCoin idiots are, can be recognized by this sentence:
Whether Konstantin Ignatov reads this sentence or not – nothing will change in the circumstances. Sometimes 400,000 coins disappear without a trace, sometimes 30,000, and we will never know how many coins disappeared altogether.
NOLINK://https://share-your-photo.com/8daa9e9dfe
That’s bad: Again, a “hater” has slipped into the forum of Igor Krnic and made an excellent comment. 😀 I copied it before it was finally deleted by Igor:
NOLINK://https://share-your-photo.com/282663dcd7
It’s not excellent comment IMO to just bash Krnic on his forum. It doesn’t give any difficulties for Igor to answer that, I don’t think he even deletes such comments, as he is showing to his followers how “haters” post mindless hate messags.
Posts which give Igor difficult time because they reveal OneCoin red flags etc. are much more likely to be removed and are much more interesting anyway.
I think way too much attention is given to Igor’s forum. According to Alexa ratings his site is next to non-existent and mainly has a local following from Slovakia.
It has not much impact on the worldwide Onecoin scam. More important things can be discussed here.
If you like to read comments by stupid people I advise you to watch some flat earth videos. See the similarities between flatearhers and onecoiners.
@Dutchie
It’s not the overall traffic about Igor’s forum which is significant. It’s that GLG leaders etc. read it, and Igor’s bullshit and excuses often spread that way.
@Dutchie you are more right than you may know.
In fact Igor even said a while ago, on his own forum, that the flat earth theories makes sense. When questioned about the satellite photos which clearly shows the earth is a sphere he said he KNOWS that those images are fake. He then deleted those posts shortly thereafter.
And this nutcase is supposedly Oneocin’s best expert. Facts and logic are irrelevant to him. He is guided by his own beliefs and nothing else.
Another example is that even though he’s so highly connected to the company he has never been allowed to see the blockchain. He was supposed to meet the tech team and also see the blockchain when he visited the Sofia office for the first time in January earlier this year.
Of course neither of those things happened. Then later in the year he stated that he’s not even interested in seeing the blockchain anymore. He BELIEVES, and that’s enough.
No matter what they say, and sure as the Earth isn’t flat, it’s not going to end well for OneCoiners. Just like all other MLM opportunities with regard to the actual investment product, or lack there of. And, making commissions on these scams, that’s not reputable.
Admittedly, it’s a weird satisfaction, watching this, as not many things in life are so certain; but the idiot OC believers make me feel less guilty about that.
Sad but deserving for refusing to hear the facts, giving their money to MLM scammers, and defending them.
Does the Bulgarian used car dealer Kralev Cars Ltd get a competitor?
NOLINK://https://share-your-photo.com/90de7e43e9
Supposedly Stephan Gruber and Stefan Wetzelberger from Austria have already sold cars.
In my view, these two gentlemen are not professional car dealers, but only convey vehicles. In Germany, we like to call such “intermediaries” freeloaders (German: Trittbrettfahrer).
Stefan Wetzelberger is not a car dealer, but a building materials dealer:
NOLINK://https://dealshaker.com/de/merchant/QsRB01dkKf7C8HyPs2VGu6tcdnz4HSXF6-J-TmA6V5A~/deals?page=1
Even Stephan Gruber is full-time obviously not involved in the automotive trade.
The offers in the shop are aimed primarily at citizens who live in Austria.
None of the businesses on DealShaker are legit third-party merchants. They’re all just affiliates hocking whatever they can.
A legitimate business can’t tell their suppliers “Yo hold up, I’m waiting for Ignatova to come out of hiding then I’ll pay you.”
Apparantly the message is out she would come back, Ruja, with a major announcement herself in January. Some leaders actually pretend to have seen recent material (whatever that is) from her.
Will be continued I guess.
@Scambuster789
Igor Krnic wrote today:
Many OneCoiner want Ruja to go public again. Because that does not happen, OneCoiner resort to a trick. Old videos of and with Ruja are released, without indicating how old these videos are. Probably Ruja could lie more perfectly than her brother Konstantin…
But there is a new, short message from Konstantin:
NOLINK://https://share-your-photo.com/97e7600abc
I can not verify this because my VPN has no IP from Iraq.
That’s probably the only place they haven’t tried to scam people yet. Probably some groups there have lot’s of money to clean, let’s all take the plane and go recrute in Irak yeaaahhhhhh !
It’s not only Ruja – Someone is currently recycling “Juha Parhiala the top earner” stories to pimp OneCoin:
twitter.com/OneCoin4u/status/1054989661381238785
Isn’t that funny.
I thought Businessforhome had removed all Onecoin-related stuff from their website?
@Prinz Bernhard
Can you call the page today? I am shown:
NOLINK://https://share-your-photo.com/e61fb10489
@Oz
New news coming up soon! I contacted a journalist so they would ask updates about the investigation from German prosecutors. Well, there’s now answers! Something which you will want to cover! 😉
The story should be out within hours!
It’s out!
Capital Weekly: OneCoin still under investigation in Germany, Bielefeld prosecutor confirms Ruja Ignatova among suspects
https://www.capital.bg/biznes/kompanii/2018/10/25/3333513_germanski_sud_vurna_na_onecoin_blokirani_3_mln_evro/
@whistelblowerfin
Are there any German Sites about this Artikel?
Don’t found any… Would be nice, thanks.
It was literally released less than hour ago by bulgarian Capital Weekly. So you have to use Google translation for now.
Sometimes the translations contain errors. The correct spelling is Gerald Rübsam.
In the forum of Igor Krnic this article in capital.bg has already arrived. 🙂
NOLINK://https://share-your-photo.com/25adf51f19
From the OneCoin Debate forum, another example of idiocy:
CLASSIC!
Don’t tell them about Ignatova’s previous criminal conviction in Germany then…
Mr. Wagner disappered.
My be, in responce to my .. want to be friend of him.
Thanks Fin. Will update tomorrow.
yes, disappeared May be, because I asked him, to be my friend ?
New fairy tales from OneCoin – told by the Vietnamese Simon Le (“Black Diamond”):
The following screenshot shows only part of the whole post:
NOLINK://https://share-your-photo.com/3a0891f87f
Entrance Fees for Canada DealShaker Expo November 16-18, 2018 in Vancouver:
NOLINK://https://share-your-photo.com/f2aa252ecd
Will this mini-expo still take place?
Source: wikipedia.org
Entrance Fees for the Dealshaker Expo on October 31, 2018 in Thailand:
NOLINK://https://share-your-photo.com/a2988a4fdb
I would like to buy 10 tickets, but can only pay with the Bulgarian miracle currency ONE. Why is not this possible?
On Facebook, a OneCoiner also wants to pay for his ticket with OneCoin: 🙂
NOLINK://https://share-your-photo.com/681787c641
NOLINK://https://share-your-photo.com/876a12e40b
Question: When does the new DealShitter start? This year, next year or 2020?
Currently, new victims are being sought in South Korea:
NOLINK://https://share-your-photo.com/fd081488da
NOLINK://https://share-your-photo.com/2c30ef9b6d
Strange: to make OneCoin to FIAT, I buy a car and sell the car.
@Prinz Bernhard
Did not you buy any “educational packages”? Of course, then you can not know that this is THE FUTURE OF PAYMENTS! 🙂
NOLINK://https://share-your-photo.com/9fe213af92
How to prevent critical comments on Facebook? For example:
NOLINK://https://share-your-photo.com/d0855732e9
Does anyone want to buy worthless OneCoin accounts? Here are some recent offers from Facebook:
NOLINK://https://share-your-photo.com/d35c50f7bd
Why does not Ayaan Sheikh offer his coin scrap on DealShitter?
NOLINK://https://share-your-photo.com/f6ef3df8f6
NOLINK://https://share-your-photo.com/606c25c66d
2,000 dollars? I offer 2,000 euro cents! Pure copper, very valuable!
The serial fraudster Geri Savini writes:
NOLINK://https://share-your-photo.com/526ebf4c8c
Please do not forget: Igor Krnic promotes the GiftCodeFactory in his “forum” and actively supports the serial cheater Pascal-Rene André from Austria!
NOLINK://https://share-your-photo.com/2ca58a8f6f
I still can see his profile. You and Melanie may be blocked.
Yesterday there was a scam event in Lima (Peru):
NOLINK://https://share-your-photo.com/dcb1d61414
The halls are getting bigger and bigger:
NOLINK://https://share-your-photo.com/389804e8bc
Before that the OneCoin prayer is spoken. “I believe in Ruja Ignatova, the goddess of cryptocurrencies.”
NOLINK://https://share-your-photo.com/05b1e57bf1
That writes someone who has recommended and promoted the OneCoin fraud itself! His website onecoinpk.com is not available at the moment, but it is available in the web archive.
NOLINK://https://share-your-photo.com/f92003ac83
Is actual active, but is not a secure page (https) onecoinpk.com
Is that technically possible? Is that believable?
NOLINK://https://share-your-photo.com/ce45238977
Technically… yes. Amazon provides good web-hosting and background services. Anybody can purchase these services and use them. And in fact, a lot of web content is served from Amazon servers, although it seems to be provided by standalone (and different) web domain.
From business point of view… I am not sure if Amazon want to be associated with DealShitter. But of course, DealShitter can hide itself behind some proxy shell company.
@Mr. Czech
Here is a DEALSHAKER KOREA Co., Ltd. called:
NOLINK://https://share-your-photo.com/6fca686d37
On the DealShitter test page, Dubai and Ireland are named:
NOLINK://https://share-your-photo.com/6c6c836494
Yes, it is “business as usual” to use Amazon Web Services to build a web site or a new service. E.g. Netflix is built on top of AWS (not kidding): NOLINK://aws.amazon.com/solutions/case-studies/netflix/
Of course this opens up the question that what is the awesome technological advantage that DealShitter could possibly have and Amazon wouldn’t have when the DealShitter is being built on top of infrastructure that is produced by Amazon?
Lets not also forget that OneCoin bought a pretty cheap merchant/socialnetwork bulk platform called SocialEngineAddOns, added OneCoin support to it, and that’s what the new DealShaker is.
Can’t be worse than the old DealShaker, but neither it’s some incredible achievment by OneCoin company, which they no doubt hype..
Even the Prime Minister (German: Ministerpräsident) of Bavaria, Markus Söder, is an avid fan of OneCoin:
NOLINK://https://share-your-photo.com/ef19c9ca25
Rumors that he hides Ruja in Bavaria have not yet been confirmed… 🙂
Here someone believes that he will soon be the proud owner of a new Peugeot 3008:
NOLINK://https://share-your-photo.com/090ad228d5
Unfortunately I can not see on Facebook in which country Kosar Mohammed Amin lives. Obviously he comes from the Arab world.
NOLINK://https://share-your-photo.com/5cdb9d5d75
As in the past, the OneCoin scammers in Sofia are still trying to launch so-called “press releases”. Here’s an example:
The first link in the screenshot below refers to the German portal wallstreet-online.de
NOLINK://https://share-your-photo.com/e3fdb050f6
If you click on the link, you will not learn anything about the OneCoin ICO, but will be fed with this banal message:
NOLINK://https://share-your-photo.com/35ee27b034
Already in the past renowned portals have mercilessly deleted the “press releases” of Ruja & Co. And that’s just as well! 😀
Yes, but since the same car was sold three times, which one is his coupon? I suppose only one of the three buyers will get a car and two others just lost their coins?
NOLINK://dealshaker.com/en/deal/100-onecoin-payment-for-purchasing-renault-twizy-level-of-comfort-technic/Fi0HkPeN2qFrM0cdkNS4xau2KUSCZFlplDvrSSsm834~
Kralev ships to Antarctica and Oceania. Impressive!
@Otto
In the past, the fraudulent OneMillionShop from Poland reportedly sold cars on DealShitter.
Since you are a DealShitter specialist, I ask you: how many cars has the OneMillionShop sold and how many cars have actually delivered? Can you say something about it?
^ Correction. A coupon was sold three times. Who is gonna buy the car from manufacturer and with what money? Not with OneCoins that’s for sure..
I did not track how many cars were for sale and/or how many of the deals mysteriously “disappeared” just before they were supposed to become open.
For the records, here is one of the coupons:
NOLINK:///www.dealshaker.com/en/deal/h/YeABryKqTURxbqlyW6kNdBl4RVjDaouhyytdRseuxdw
I have yet to hear of even ONE case where someone would have actually received the car they bought. Even one.
Not that it would matter, though. The car in question is “70% in OneCoins” – meaning that the buyer was supposed to pay 9 780 EUR in cash to OneMillionShop AND also pay for the taxes for the full price.
That means the car was values at 32 600 EUR before taxes – way above the normal price of an identical new car.
Depending on the tax percent applied to the 32 600 EUR price, it is possible that the resulting price equals to whatever the car is supposed to have costed from a normal reseller, without any OneCoins involved.
(There is even older case where Mercedeses were sold from China. After buying the coupon, the buyer was asked to also send euros via bank wire. reportedly DealShaker returned the coins and buyers were instructed not to send money outside the Dealshitter platform.
Apparently this same guidance did not apply to the OneMillionshop that OneCoin was actively promoting even though onemillionshop was very similarly demanding euros being paid outside the marketplace.)
@Otto
Thank you for your answer. I can remember a case, as cost a VW Passat in OneMillionShop twice as much as regular in Germany. Unfortunately I can not find the screenshot at the moment. 🙁
This video of Duncan Arthur’s DealShaker training contains some interesting anecdotes about troubles and problems they have run into:
youtube.com/watch?v=dHeVQK5gHgI
For example they allegedly were willing to compensate the victims in China when someone scammed 200 000 EUR using DealShaker car deals; five incidents in China in which someone sold a house on DS that they didn’t own; apparently many people (especially in India) have gotten into trouble when they “forgot” to pay taxes for their DS purchases; one of the first items ever sold in DS was a Gucci handbag bought by Ruja – and turned out to be a counteirfeit…
He says the new DS opening this friday or early next week. No info when the exhange will open but he does know that merchants will have privledged accees to it.
I could already write novels about the strange activities of the Bulgarian used car dealer Kralev Cars LTD. In the summer of 2018 Petar Kralev, who calls himself “Doctor DealShaker Kralev”, wanted to expand to Italy and organized several events in Italy.
NOLINK://https://share-your-photo.com/1d4998c41c
He also started this survey on Facebook:
113 OneCoin idiots were prepared to pay a reservation fee of 300 euros. 154 people refused.
NOLINK://https://share-your-photo.com/a23a28931c
Those who do not receive their ordered car can console themselves with this: “ST.VALENTINE”S DAY” GREETINGS CARDS for the ridiculous price of only (!) 62 Euro. But please buy immediately – only 3,345,479 coupons are available:
NOLINK://https://share-your-photo.com/10cf77df3c
But Petar Kralev also pronounces open threats on Facebook:
NOLINK://https://share-your-photo.com/d70cae9195
Very friendly, Mr. Kralev! So you can only act if you act as a monopolist. There is still no noteworthy competitor on DealShitter offering cars. Because it’s simply impossible to pay 100 percent for new cars with the worthless OneCoin. When will Petar Kralev realize that?
PS: In the forum of Igor Krnic Petar Kralev on September 10, 2017 claimed that he has traded in real estate in the past. Since then he has not written anything there. Why? Do he lack credible arguments that he is able to deliver the ordered cars?
Inbe4 “haterz chased Kralev away by flooding him with requests to buy their OneCoin!”
But uh aren’t OneCoin investors the only ones holding OneCoin?
“Hey look over there, it’s a hater! Get’em!”
The German portal wallstreet-online.de published the following article on October 23, 2018:
NOLINK://https://share-your-photo.com/278a21d74c
I wanted to quote this article here, but it is not available at the moment. Ruja’s greasy lawyers probably threatened the portal with a warning. I will try to get a copy from the author of the article.
The (controversial) :gerlachreport wrote on November 6, 2017 about Ruja’s lawyers an article with the title:
(Note: “arsch” means “ass”, Google can not translate this world)
The article published this photo of the law firm that no longer exists today:
NOLINK://https://share-your-photo.com/0b9aec277f
@Prinz Bernhard
The Audi seller Steven Wagner, who dreams of the fact that he can soon buy and sell cars with OneCoins, is on Facebook again.
Dreams are more beautiful than the brutal reality:
Hope dies last:
NOLINK://https://share-your-photo.com/59a3337cc8
“Piss-take” would be my best attempt at translating “Verarsche”.
My German dictionary translates “verarschen” (the verb) as “to muck [someone] about” or “to play [someone] for a sucker”.
@Malthusian
Thank you! 🙂 Now Google finds this:
The author of the article, which can no longer be accessed on the German portal wallstreet-online.de, has just confirmed to me by e-mail that Ruja’s lawyers have threatened both the portal and himself.
However, I have received tips from the author, which I consider to be very valuable. Later more.
I would like to draw our readers’ attention to an article published on 8th February 2018:
The article is very comprehensive and therefore too long for a quote. Anyone who has been involved for a long time with the OneCoin scam, really does not learn much new there. Some phrases are, from my point of view, not very well chosen. But it is great for warning against the OneCoin scam. For people who are considering investing a lot of money in Ruja’s worthless educational packages:
NOLINK://https://share-your-photo.com/f7f83d907a
Read more on:
NOLINK://https://geldhelden.org/blog/scam-alarm-onecoin-und-die-lektion-nummer-1
Hi,
as I was myself attact bei the Lawyer one year ago, I can give some hints, what to do.
@Melanie: how could we get in contact or with the author?
@ Prinz Bernhard
You can find his email address on his website geldhelden.org
I would like all my screenshots to be clicked as often as this one:
NOLINK://https://share-your-photo.com/e3069743f4
What is so interesting about the contact details of the public prosecutor’s office against white-collar crime in Bielefeld, which investigates Ruja Ignatova? More than 300 calls per day, that’s almost record-breaking. Usual are 50 to 100 calls per day.
The German magazine “NETWORK-KARRIERE” is threatened by crypto mafiosi. Of course not open, but anonymous.
An excerpt from the article:
The publisher of the Network career refers to the threatening letters on the headline. And that is:
NOLINK://www.network-karriere.com/2018/10/31/diese-drohbriefe-gehen-mir-am-a-vorbei/
The Vietnamese Simon Le, “Black Diamond”, has obviously visited the Bulgarian used car dealer Kralev Cars Ltd and writes about it on Facebook:
NOLINK://https://share-your-photo.com/7c53aebcd4
Can anyone confirm that Petar Kralev has also offered and sold property on DealShitter in the past?
NOLINK://https://share-your-photo.com/4abc3a1f33
From left to right: May Loan Nguyễn, Petar Kralev, Simon Le
I just tried to call this link:
NOLINK://www.finanzen.net/nachricht/aktien/onecoin-ahs-latam-s-a-has-launched-the-ofc-bundles-offering-6731227
And what happens? Nothing! The German portal finanzen.net has deleted the so-called “press release” from Sofia! Very nice! 😀
The beta version of the new DealShitter names only 35,000+ merchants:
NOLINK://https://share-your-photo.com/ffcf701d68
NOLINK://https://share-your-photo.com/30916828d6
I’m confused. And surprised. The most popular cryptocurrencies should therefore be BTC, ETH, ETC, BCH and others. I’ve always believed that OneCoin is the most popular cryptocurrency. Am I wrong?
The combination “90% fiat money and 10% OneCoin” is already heavily criticized on Facebook. The OneCoiner want to get rid of their coin scrap as quickly as possible. That’s what the OneCoiner want – nothing else!
So basically the new Dealshaker platform has 90% nothing to do with OneCoin.
DealShaker project manager Duncan Arthur confirmed that they will take the usual 25% “advertising fee” from all sales in euros. The new “90% fiat” rule means that they try to milk every drop of EUR from the dying scam.
I hope many people will contact PayPal customer service to inform them about OneCoin. I’m sure they don’t want to take risks in having OneCoin as their customer.
OneCoin won’t have anything to do with Paypal. It’ll be some dodgy shell company registered who knows where by who knows who.
Well, we are all worrying about nothing. Yes ladies and gentlemen, boys and girls, and whatever other gender you want to call yourself, Igor has spoken and once again he has come to the rescue of the new DealShaker Platform.
In response to a question from a loyal OC’er concerned about the 10% OC vs 90% real money, Igor said this and I quote:
Hmmm, not sounding to sure about OC’s future it seems. But it is nice to know that Ruja remains working in the background making the dream come true with her genius vision.
Alas there won’t be Christmas stocking full of goodies bought with OC. But hey, the educational material makes good wallpaper.
@Lynndel
The scribble of Igor…
…contains a significant error. It must read correctly:
“Patience, Ruja herself said it many times this is a long-term scam and they want to be here 50+ years.”
This comment on Facebook has sweetened my day: 🙂 😀
The trigger for this comment was an excellent collage by Tim Tayshun with the title:
NOLINK://https://share-your-photo.com/ffca27511a
25% Commision: I was reading this once, but could not beleieve ist. 25% Commision ist much to high.
At Ebay, you have the maximum of 10%, this is much as well, but accepted because of the many sellers and the auction format.
i.e. Amazon, you have a fair 7% commision.
But 25% commision, this makes the Dealshaker-Shop senseless. Why should I be a dealer at this shop with 25% commision?
And getting OneCoins with an unbelieveble rate OC/€
@Prinz Bernhard
I understood it like this:
Who offers his products to 100% with ONE, had to pay no commission. The 25% will be calculated only for the Euro share. The Bulgarian used car dealer Kralev Cars LTD does not have to pay a commission because he offers his cars 100% with ONE.
A good idea of the picture, which was named in #723
share-your-photo.com/ffca27511a
——————-
50,000 OneCoin are mined per minute, at a rate of € 26 € 13 million / minute. At 1,440 minutes, that’s € 18,720 million / day.
On 30 days 521 million €, in 356 a total of 6 billions €, which arise in a small computer in Bulgaria.
With 120 billion possible OneCoin, the total value of OneCoin would total € 3 trillion.
All American money is only $ 1.5 trillion.
If someone wants to sell OneCoin, where should the money come from. All US $ money can only buy 50% of all OneCoins.
I read daily comments that are very similar to this one. When does the big shitstorm begin?
NOLINK://https://share-your-photo.com/2ede816263
There is a great parody of this in Southpark episode (southparkstudios.nu/full-episodes/s13e06-pinewood-derby) “Pinewood derby” where people of Southpark get a stash of stolen “space cash” from an intergalactic bank robber alien fugitive.
People think that with this sudden windfall of “space cash” everyone is now super rich and go on to build and buy fancy things.
This is analogous to the kind of fantasy that people with ponzi money believe.
I’m not sure that such technicality will get them pass – they are a de facto arm of OneCoin scam. At minimum I think they can be deemed abetting criminal activity by partnering with OneCoin.
It definitely won’t be a pass. It’s just that the shell company shenanigans will buy them some time.
And obviously once PayPal bans one, OneCoin will startup with another. It’ll be the bank account saga all over again.
Who wants to celebrate his next birthday with fireworks? It costs only 1,118 ONE (30,000 euro).
In addition, the cost of travel and accommodation of the organizer will be charged. It can not be bought on DealShitter, but on the website of two Austrians who have not yet recognized the OneCoin scam.
NOLINK://https://share-your-photo.com/9762592816
Source: NOLINK://www.facebook.com/OneCoinCryptoCurrencyAdmin
I wonder if Jumio really wants to be KYCing the biggest crypto scam in the world. That’s pretty sick.
Ask via Twitter. Let’s see if they give the kind of public response as Kraken did.
Does anyone need a used 18-ton truck? Excellent for transporting many OneCoin millions! I found this extraordinary deal on dealcoin.eu:
Price: Only 160.000 ONE (corresponds to 4.296.000 euros)
Location: Somewhere in Russia.
NOLINK://https://share-your-photo.com/2252c3a0ca
In Germany, this twelve-year-old truck is currently traded for less than 20,000 euros. Here, obviously someone is trying to find a very stupid buyer. The ad has been viewed 345 times, but so far no fool has been found.
ATTENTION! DRASTIC PRICE REDUCTION!
The most popular 6 + 1 Power Pack costs no more 341,250 euros, but only 292,500 euros!
For the savings of 48,750 euros, you can buy half a dozen new cars from Kralev Cars LTD. So: Get instant access before this deal is finally deleted!
NOLINK://https://share-your-photo.com/5a042430f6
If anyone wants popcorn while watching the Onecoin slow motion train wreck as it continues to fly off the tracks you can pay 50% fiat and 50% no-coins here:
NOLINK: dealshaker.com/en/deal/popcorn-special-4-bags-regular-50-onecoins-50-fiat/ZZwIC72UOjb6FAdeRpGx7jdp2m5Xg6wvu-qYN0czT-4~
Remember that scammers keep 25% for commission though.
Does anyone know what former CEO Pierre “Pitt” Arens is doing today? Is he out of work after hiring on the OneCoin scam? A year ago, this article appeared on pageone.ng:
NOLINK://https://share-your-photo.com/4139a300aa
He suffers from severe amnesia at least. According to his LinkedIn profile he has never been the CEO of OneCoin.
@Otto
You must be wrong! On September 8, 2018, this video was uploaded to YouTube:
NOLINK://https://share-your-photo.com/93cd45dca9
Pierre Arens probably did not have time to update his profile on LinkedIn. Or what do you mean? 🙂
The video has been viewed 7,480 times and I think more than 7,000 OneCoin idiots believe in it. 🙂
Is the “legal department” in Sofia sleeping deeply and firmly? And Ruja’s lawyers? Are they no longer receiving a fee and now devoting themselves to other scammers?
I just stumbled upon this very short video:
NOLINK://https://share-your-photo.com/785af9dbcd
Since I live in Germany, I have the following question: When will the second quarter of 2018 start in Bulgaria? Do we have to wait a long time?
Before Ruja Ignatova became criminal (first with BigCoin, then with OneCoin), she gave the Bulgarian newspaper blitz.bg an interview. Title:
NOLINK://https://share-your-photo.com/88442d46ab
The interview ended in a rather private question about her relationship with men. Ruja answered:
PS: The German, who allegedly perfectly fulfills Ruja’s sexual desires, is the lawyer Björn Strehl. I doubt if he is still working as a lawyer. He allegedly deals with real estate on his website matunos.de.
We all know that thousands of video’s are promoting OneCoin fraud. Much more interesting than the videos, however, are the comments below. They are often more exciting than a crime novel when critics and supporters of OneCoin scams exchange their arguments. Here is a critical comment written a month ago:
NOLINK://https://share-your-photo.com/874c9c71d7
When it comes to tough facts, the OneCoin believers fall silent very quickly. Then they flee to their dashboard and look at their – fictitious – OneCoin millions and stare fixedly on the split barometer …
@Melanie from Germany –
Incorrect. This was preceded by a business venture with her and her father in Waltenhoffen Gusswerks GmBH years earlier, when they took over a metal casting plant whose employees were Union members of the largest Union in Germany and second largest metal Union in the EU: IG Metals.
After laying off almost 1/3 of their employees and devolving the plant’s working conditions, culturing environmental squalor and local resident complaints, a litany of financial mischief also followed, culminating in the #KleptoQueen and father finally fraudulently bankrupting the company and embezzling not an insignificant volume of money from both her own suppliers and her employees.
IG Metals employee representative from Waltenhoffen, Carlos Gill (see: NOLINK: allgaeu.igmetall.de/wir/kontakt.html ), lead his Union to gather together, picketing and protesting in front of the Ignatov family home and demanding the return of one million euros stolen.
Unsurprisingly, a straw man was used in the eventual sale of the company, not at all unlike that 25 years young cab driver who became CEO of several of the Onecoin/ OLN/ ONS shell companies under Pagaron Investments last year. However, this one disappeared 4 days after the sale and was not seen again.
This lead to the lawsuit and legal trouble which brought Ruja and her (allegedly) ailing father to German Court in April of 2016 right in the middle of Onecoin heyday.
Presented with TWENTY FOUR (24) counts of fraud against them, including the embezzlement mentioned above, plus loan fraud, fraudulent accounting practices and numerous other crimes, neither Ignatovas argued the charges, but plead guilty to and were CONVICTED on EVERY ONE OF THEM!
Amongst the few words spoken by Ruja (her co-conspirator father absentee in court under the auspice of being gravely weak and ill), and in light of having a clean legal record up to that time (albeit at the very height of Onecoin recruitment in both Europe and USA), RUJA LIED DIRECTLY TO THE COURT claiming to be living with her husband, Strehl, in Dubai, on a “fixed income of €3500 p/mo.(!!!)”
Meanwhile, Onecoin was pulling in as much as €40M a week, during this peak, allegedly, and within 2 months Ruja would demonstrate that she didn’t understand the meaning of the words “fixed” or “finite,” as those words we’re also used to describe the total possible number of Onecoins (ONE) in circulation at 2.1billion – she announced the 5,700% increase plans on June 11th at “CoinRush” in London at Wembley Arena, to 120 billion coins (This hyper inflation and dilution had no effect on “internal price”)
The beginning of Ruja’s documented lies behind here: NOLINK: foundry-planet.com/ru/oborudovanie/detail-view/11535/?cHash=447805701fd756a6b93843d72973e16d
(Circa 2011)
“It’s not the market, the team, nor the lack of orders that drove the Casting Plant into Insolvency, just greed and ignorance of the former shareholders,” reports Gil.
“Of course it is good to see that our information was enough for the Department of Public Prosecution to investigate fraud charges against Frau Dr. Ruja Ignatova and her father. Nevertheless, we want to ask the former shareholders to repay the money that was taken from the firm.“said Gil.
SOURCE: foundry-planet.com/tr/news/kurumsal-haberler/kurumsal-haberler/11768/?cHash=a7405643b0169d41f52afcfe04610af1
Perhaps some people are just born crooked.
The Bulgarian used car dealer Kralev Cars Ltd. no longer offers new cars on DealShaker. Also no used cars. What happened?
NOLINK://https://share-your-photo.com/ca24fb0483
Recently, Petar Kralev had 50 active deals on offer:
NOLINK://https://share-your-photo.com/5017f6e665
@Timothy Curry
Of course, I know that Ruja has also cheated in the Gusswerk Waltenhofen. But that was another form of crime. It started on May 3, 2010, when Ruja was registered as managing director in the commercial register:
NOLINK://https://share-your-photo.com/9fc675d3e2
Already on 31 May 2010, Ruja promoted her father Plamen Ignatov and her mother Veska Ignatov to authorized signatories (German: Prokurist)
NOLINK://https://share-your-photo.com/f759c9c9e4
I also know the court ruling in which Ruja was sentenced to 14 months’ imprisonment – unfortunately on probation. And the fine imposed was ridiculously low, which paid Ruja cold smiles from the petty cash.
Maybe a male judge would have liked a tougher verdict? In any case, Ruja is now convicted. When she returns to court, she will not be able to count on a mild verdict.
Also in Jujuy (Argentina), 400,000 inhabitants, is again trying today to lure new victims into the OneCoin scam:
NOLINK://https://share-your-photo.com/5cee76e3f7
Admission free? That’s unusual. So far, one had to pay to listen to infamous lies and fairy tales.
An internal statistic of OneLife states that about 70,000 Germans have joined the OneCoin scam. In order to accelerate the fraud, closed Facebook groups were founded, e.g. “OC-Team Deutschland”. However, some of these groups no longer exist on Facebook. Of course, these groups still exist, but they are no longer massively public.
How stupid, primitive and hypocritical German OneCoin IMAs have advertised the OneCoin fraud, the following example shows:
When I read such a thing, I am ashamed to be a German!
NOLINK://https://share-your-photo.com/af33302d33
PS: A short supplement to the topic “Mastercard”
The Austrian TV station ORF has warned in a broadcast before the OneCoin scam. There is also a video of this:
NOLINK://https://share-your-photo.com/1eadf518ec
In this video the boss of MasterCard in Austria, Mr. Gerald Gruber, is interviewed. He denies that there is cooperation between OneCoin and MasterCard!
Dr. Ruja in the “Former” Life with BigCoin
youtube.com/watch?time_continue=11&v=T7L6AdMQEcM
With Mr. Sebastian Greenwood
youtube.com/watch?time_continue=11&v=T7L6AdMQEcM
Including the BigPay, all looks similar to OneCoin
It looks the same because it is almost identical. OC just made some minor changes to the skin of BigCoin to make it look different. Everything else is the same. The only difference is that OC took off and BigCoin didn’t.
This what Ponzi’s do. They just put on a new dress and lipstick to make it look new, but it is still the same ole pig.
He just joined the long list of merchants that have sold their products and then go silent.
In this old report it was noted that there were 15 merchants in DealShitter that together sold over 10% of all open deals in DealShitter:
NOLINK://kusetukset.blogspot.com/2017/08/onecoin-clogged-dealshitter.html
Half of those 15 merchants sell 0 deals today. (One merchant profile returns 404.)
Of the ones that have open deals, only three have actually added new deals since, rest are still selling the same old deals that just have not expired yet. So we can say that 12 out of 15 merchants are as good as dead.
Equally: There is a merchant that had over 100 deals of cosmetics for sale at the same time. Now that merchant has 12 of those deals still open, all set to expire at end of year. So let’s say 13 out of 15 merchants are gone.
And still: Two restaurants accepted OneCoins in Finland in 2017 (and it was verified they indeed gave you food without asking extra euros or anything).
Once they had sold all of their coupons, neither has opened new deals. It’s been one year and those merchants refuse to get more OneCoins although according to the OneCoin Ltd. the merchants were supposed to be rushing in so that they could enjoy the opportunity to sell their goods in DealShitter?
This continues:
Onemillionshop (cars)? -> 0 deals open.
Jeansconer (10 years old jeans)? -> 0 deals open. etc., etc., etc.
@Otto
Until yesterday you could buy on DealShaker a bus trip. From Stockholm to the planned FIRST ONELIFE EUROPEAN FRAUD EVENT in Paris. The trip was offered for about 1,300 euros. Seven coupons could be bought yesterday. When I wanted to update the page today, she disappeared without a trace.
The provider: NOLINK://www.ekmanresor.se/OneLife-Event-Paris-ONEPARIS-sv/article
NOLINK://https://share-your-photo.com/69dee95011
I asked the travel company by e-mail, where I find their offer on DealShaker. Will I get an answer?
I once made the mistake of travelling from Paris to Den Haag, in the Netherlands, by bus. It took an eternity, and after I finally got out it felt like my bones had been crushed, following hours and hours of inactivity. And it was even a nice, comfortable bus.
From Stockholm to Paris, a much longer distance, I can’t even imagine how it would be. For sure it’s not even remotely a “first-class” accommodation. For 1,300 euros.
By plane it costs four times less, it’s much faster and more convenient. But I fear they don’t take onecoins.
@Otto
It’s no wonder that non-shady merchants are rare and fleeting phenomena in DealShaker. The moniker “DealShitter” is well warranted:
– 25% “Ruja tax” from all revenues in euros.
– No solid info when they can convert their ONEs to EUR, and what will be the real exchange rate and liquidity => goods/services sold in ONEs only lead to liquidity crisis.
– Massive headaches on how the deals involving ONEs should be treated and valued in company’s book keeping and taxation => risk of committing financial crimes from misrepresenting info or paying wrong amount of taxes.
– Serious reputation risk from being associated with notorious scam.
@L.
If you want to book a flight again, I recommend booking via DealShaker:
NOLINK://https://share-your-photo.com/64a81b951f
At present, however, the provider from Bangkok has no coupons on offer. Everything sold completely? 🙂
2015: how OneCoin marketing looked like.
One ConeCoins, nothing with education:
web.archive.org/web/20160207203604/http://onecoinmax.de:80/wp-content/uploads/2015/07/OneCoinPres.pdf
How to avoid the 25% “Ruja tax” on DealShaker? Here’s an example:
NOLINK://https://share-your-photo.com/cae70f777d
But that’s only half of the offer. The fine print states:
This procedure is not new. I’ve seen them on DealShaker before. Does anyone surprise you that this offer comes from the Serb Nikola Korbar? Here are the domain data of icobelgrade.com:
NOLINK://https://share-your-photo.com/2f8c99d9aa
In Europe, Nikola Korbar is known as a colorful dog …
Of course, Nikola Korbar is also a member of the so-called “Forum” by Igor Krnic. When it comes to fraud, Serbian citizens naturally stick together.
Serbia has been trying to become a member of the European Union since 2009. In the meantime, nine years have passed. Currently it is said that perhaps Serbia will become a member in 2025. Before that, however, Serbia still has to implement substantial reforms.
Serbia still offers criminals a home, including the mafia. Google knows more:
NOLINK://https://share-your-photo.com/3cb6076081
A few headlines:
Also in the German crime statistics for 2016 appear 7,684 Serbian citizens, as the Balkans complain about a high crime rate and they fight only insufficient. This is due to the widespread corruption in those countries.
NOLINK://https://share-your-photo.com/40d16288ee
Serbia and Bulgaria are neighboring countries, not only geographically but also ethnically. In both countries many citizens find it difficult to distinguish between right and wrong.
Oh yes, before I forget: It was a Serbian student who triggered World War I:
NOLINK://https://share-your-photo.com/02be70d63b
NOLINK://https://share-your-photo.com/4088113d26
I would like to buy a Power Pack, but which bank account should I deposit? Probably on a private account of Konstantin. Ruja has collected enough millions in the last years.
EXCERPT FROM YOUTUBE COMMENTS:
@Marian Murphy – You admitted: “There is over 50 billion OneCoins mined.”
(note: to be more specific, there is over 53,000,000,000)
QUESTION #1: What is Onecoin price (26.95 Euro [conversion rate: $30.76 USD]) times number of coins *mined (53 billion)?
(note: if 53B is the circulating supply, than multiplying by the price gives you the coin’s Market Capitalization)
QUESTION #2: How much U.S. currency is in circulation?
According to the Federal Reserve’s official website:
SOURCE: https://www.federalreserve.gov/faqs/currency_12773.htm
ANSWER TO Q #1 & #2:
53,000,000,000 coins
x $30.76 (20.95e) price
_______________
= 1,630,280,000,000 (yes! $1.63 TRILLION!!!!)
THEREFORE, BY THE END OF THIS MONTH, ACCORDING TO ONECULT MATH, ONECOIN WILL SURPASS THE VALUE OF ALL U.S. CURRENCY IN CIRCULATION AROUND THE WORLD (at $1.64 TRILLION dollars)!!
@WhistleBlowerFin
Personal message for you – quoted from the last OneLife newsletter: 😀
NOLINK://https://share-your-photo.com/25b8eab7e0
What did Konstantin Ignatov pay for naming a street in Sofia after him? Or did he buy the road? Corruption is also widespread in Bulgaria.
NOLINK://share-your-photo.com/1b7f691aae
A OneCoin Millionaire offers his account for sale on Facebook:
NOLINK://https://share-your-photo.com/a67fffd6db
2,136,955 ONE have a notional value of 57,590,937 euros. Who does not buy now, will regret it until the end of his life!
More offers on Facebook:
NOLINK://https://share-your-photo.com/9b5ec33c93
NOLINK://https://share-your-photo.com/f0cebff46e
NOLINK://https://share-your-photo.com/353302cc0d
This seller seems to be in real panic, because he has often posted his offers on Facebook.
To people here it is no news that basically every “investor” is wanting to sell their coins whereas nobody wants to buy onecoins (be them in- or outside of the OneLife community).
Even the duped investors want their coins cheap via “educational package” so they can get 10-fold money increase overnight. Nobody wants to buy the coins and then wait for the value to go up.
Add to this the fact there are people who were scammed to invest large sums of money and while doing so they spent savings that would now be needed. It creates these situations where someone is selling their coins for 1/10 or less of the face value.
I remember the discussion in Facebook where a guy was trying to sell his coins and when he was asked why he does not wait for the public exchange to open, he replied “need urgent money”.
It’s too tragic to be funny.
Melanie,
I don’t agree with You about this disцusсion about serbs. You can’t generalized. It seems like nationalistic rhetoric.
So, Novak Dzokovic is also serbian. Criminal minds are in every country , so Udo Depitch is german citizen and he is more important in this saga about Onecoin than Krnic or Korbar.
Ruza is bulgarian , but Greenwood is from Sweden, Juha from Finland, Steckelen brothers from Italy etc. There are criminals minds from meny European countries.In balkan countries problem is with corrupted governments, not with people.
And please don’t mention serbian student who made First world war, You really mean that he have so much power to start world war ? And who is guilty for Second world war, also some serbian student, or german lunаtic ?
PS. I am not Serbian
Hi,
Anybody knows the nos of members and the dealshaker merchants participate in Bulgaria?
Nice that OneCoin now has a Stasi-like “whistleblower” service – it’s a true culmination of cultishness. We all know from totalitarian regimes how the informant culture lifts spirits. 😉
Selling accounts and avoiding “Ruja tax” like Kobar are likely T&C violations. It’s my understanding that even the popular practice of jointly buying more expensive packages is a violation too.
Now all those traitors can be easily “ratted”. The whole network is a one big illegal, unethical, abusive and lying den on vipers. Is this a clever way for the company to self-destruct/dismantle the scam?
@Otto
I completely agree with you. I have been watching for years as OneCoiner tries to sell their worthless accounts on eBay. Even there, the real reasons are not mentioned, but
– I urgently need money
– due to illness
– for a stay abroad
– because of divorce
– because of an accident
– because I’m getting married
– and so on.
These sales attempts are really ridiculous, if at the same time the impression is conveyed that the OneCoin will be worth in the future 300 or 400 or even more euro.
Once you realize how short of cash some “investors” are, you start to fully understand how disgusting this scam is. A Finnish newspaper reported of a woman whose fiance had invested 30 000 euros, most of which were short-term debt from various sources.
OneLife Official Facebook page asked 2 years ago what people are going to buy from DealShaker once it opens (it wasn’t open yet at the time).
Some planned on buying travels, cars and gold.
But then there were the ones from Pakistan, Indonesia, etc. that told they plan to buy mobile phones, tools, clothes, groceries and – yes – food.
NOLINK://www.facebook.com/OneLifeOfficial/photos/a.1147080111981104/1353734971315616
There were people who were not going to wait for the coin to reach face value of 50 or 100 euros, they wanted to use their coins as soon as possible to buy clothes and groceries. Once you let that sink in, you realize how low these scammers rank in the society.
@Otto
Food? No problem! How about an “AFRICAN SUPERMARKET“?
NOLINK://https://share-your-photo.com/dc12830919
However, a purchase in this African supermarket should be planned carefully. I would have to book the flight first. Not to Africa, no, to Australia! I do not have much time because the African supermarket in Adelaide demands:
But the African seller in Australia is a real optimist. He believes the DealShaker portal will still be online by April 2021!
OneCoin scammers plan to ask a 4€ fee for the Jumio’s KYC procedure for every 2 tries. If the KYC procedure fails, you need to pay again.
I really hope Jumio as a reputable comapany would stay away from this scam.
newdealshaker.com/staging/faq/view/474/79/80/0/do-i-need-to-register-to-buy-or-sell-from-deal-shaker
So, there is a new shell company running new DealShaker:
The company was founded less than week ago in Ireland. I guess they bought a “virtual office” service from Cliton House Business centre. Pretty weird if these facts alone don’t raise any red flags for Jumio.
BTW, some other “crypto projects” hosted in same address, igt-crypto.net and u-crypto.com, so perhaps this is yet another familiar move in cryptoscam industry.
@WhistleBlowerFin
I have just read about KYC:
The staff of the KYC department also left the office in Sofia at that time, it took some time to find new staff and to train them.
The new employees are now working hard on the KYC applications.
If your KYC has been in PENDING for more than 3 months, it is recommended to upload everything again with up-to-date proof. The KYC data will not be processed with the status of the sent emails thus all the address proofs have already expired and will be rejected during the check.
NOLINK://https://share-your-photo.com/a72390464d
Of course, this is not an “official” statement from Sofia. But the website operators in Austria are trying to make good news even from bad news. Allegedly, this information comes from the Austrian Pascal-Rene André, a very bad swindler within OneLife. Of course, Igor Krnic describes this evil deceiver very differently:
Indirectly, however, it is confirmed that after the raid in January 2018 in Sofia a large part of the staff left. Or has been dismissed?
The following comment in Facebook Onecoin group expresses a growing frustration about “The Bitcoin Killer:”
KYC? Every desperate scammed “one millionaire” will send a copy of his identity paper work to the Sofia ONELIFE office?
I can smell a massive identity theft coming just after the onecoin final collapse …
slobodanboda on Igor’s forum says that all Kralev deals have been cancelled. So.. practically OneCoin allowed the deals for the purpose of hype selling OneCoin packages. Exactly like critics said from the beginning..
@Henry
In Bulgaria itself not much. Other than the madeup counter on DealShaker though and “3 million email addresses”, OneCoin doesn’t provide specific numbers.
Don’t recall Bulgaria ever being a primary recruitment region though. There’s probably something about not shitting where you sleep in it.
The complete article can be read here:
NOLINK://www.prevara.info/index.php?option=com_content&task=view&id=1783
PS: Please note that the text has been translated twice. From Serbian into German and then into English. Please report errors or unclear phrases to Google! 🙂
Plot twist: OneCoin uses investor KYC details to fuel its never-ending supply of shell companies.
@WhistleBlowerFin
The Bulgarian used car dealer Kralev Cars Ltd. does not exist anymore. His merchant profile has been deleted:
NOLINK://https://share-your-photo.com/aead5251f9
Introducing the New DealShaker – Not just for Chinese scammers…
@Melanie, I can still see Kralev Cars’s merchant profile.
dealshaker.com/en/merchant/InnXzbapGSm3ftE3rhFlJ*pQ4cmKS3zoDO6vPNZ7GQE~/info
Now that Kralev deals went to garbage, Igor wants to claim he was the one warning about OneMillionShop and Kralev. Yeah right. Couple of message links.
onecoin-debate.com/viewtopic.php?p=10343#p10343
My message critisizing Kralev. Notice also response by flatrate.
onecoin-debate.com/viewtopic.php?p=3386#p3386
Igor with “now it’s [Kralev] deals are more realistic”, after reduction of deals.
onecoin-debate.com/viewtopic.php?p=8542#p8542
Nope, it was not realistic ever. Can’t sell the coin, can’t pay for cars.
This is funny. OneCoin selling legal packages for 2 months now – which don’t exist.. 😀
Even a known OneCoin nutcase Andreas Åhlin-Lietsow is wondering wtf is going on.
image.ibb.co/dpXPoV/legal-Package.png
@Oz,
Thks for yours respond.
Rgds-Henry
I can see both the deals and the profile. See the links at comments #571 and #694.
@Melanie
Text from prevara.info is a copied text from my blog and they have 0 connection with government of Serbia. Just another website to warn people about plethora of scams.
From time to time they share my texts, without links to source.
That should also be read here:
NOLINK://https://share-your-photo.com/a7c19a6dfc
@Otto (#789)
@WhistleBlowerFin (#785)
Oh dear, small mistake, big effect… 🙁
I confused “0” and “O”. That happens when you write comments after midnight.
@AntiMLM
Thanks for the hint! Another proof of how easily you can be deceived on the internet. Even if one – like me – is altogether very suspicious.
Supplement to comment #752
Of course the company Ekman Resor from Sweden did not answer my mail. I had asked where to find the deal on DealShaker because I really wanted to travel to Paris by bus.
Although Bangladesh is one of the poorest countries in the world, the OneCoin scammers are also trying to find new victims there.
Source: NOLINK://de.statista.com/statistik/daten/studie/324867/umfrage/bruttoinlandsprodukt-bip-pro-kopf-in-bangladesch/
On November 9th and 10th, a so-called “DealShaker Tour” will be announced for Bangladesh:
NOLINK://https://share-your-photo.com/bfb8c45d58
Denis Murdock is still trying to lure me into the OneCoin scam. In the last email, he links to three videos on YouTube:
NOLINK://https://share-your-photo.com/e63e935306
@Semjon
Why can not I find DANTIR DILELA LIMITED in the Companies Registration Office of Ireland? I wanted to see who runs the company:
NOLINK://https://share-your-photo.com/3251975743
On two other portals I find the “company” newly founded on 2 November 2018:
NOLINK://https://share-your-photo.com/31519b347d
NOLINK://https://share-your-photo.com/ac4dc968e2
@Melanie
You searched from wrong place. The company can be found if you search from here: search.cro.ie/company/CompanySearch.aspx
But you cannot see who runs it without paying fees. At least I haven’t found a way yet.
@Semjon
Okay thanks! Unfortunately, they do not accept payment via PayPal, otherwise I would have ordered the printout. In the German commercial register you can view all data for free.
All over the world there are still idiots who spend a lot of time, money and effort to get rich very quickly. At least that’s what they think. Here is a current example:
NOLINK://https://share-your-photo.com/a4f0bf8754
It can be laughed! 😀
NOLINK://https://share-your-photo.com/bf9d89f18d
How is the OneCoin OFC offering going? Well, Krnic thinks nobody bought it.
But then comes nickname “Curry Hater” and proclaims how
😀
Good thing I wasn’t drinking coffee while reading that. 😀 Would have been all over my keyboard and monitor.. 😀
Melanie, re #794
Here’s the Dealshaker deal. Håkan Franzen is the contact person, he is the finance manager (and bus driver) of Ekmanresor.
nolink://https://dealshaker.com/en/deal/bussresa-onelife-event-i-paris/KFyPsknhYCCaiYCKSZ93ZPc8UyzvENq6sKJAz78IU0Y~
I am totally confused when I read:
NOLINK://https://share-your-photo.com/70cba23f2f
No comment! 🙂
I’m not.
Same thing as with Chinese Mercedes’s sold soon after Dealshitter opening.
Same thing as with OneMillionShop
Smae thing as with Kralev Cars.
Making a “deal” is cheap. Delivering a car is hard. 😉
@WhistleBlowerFin
The fairy tales of “Curry Hater” are already spread on Facebook:
NOLINK://https://share-your-photo.com/27b1a8eeef
@Otto
Of course I’m not really confused. I only wonder about the inconsistency. First the news is spread that no more cars are traded on DealShaker. And then you are allowed to offer cars there?
Who approved these deals? An apprentice in the 1st year of apprenticeship?
You missed the point!
This is new Dealshaker and it has been decided to postpone such deals until the new DealShaker platform becomes fully integrate.
So it is okay on the new platform. Because… Well, because!
Ruja’s domain coinvegas.eu has still not been sold. In June 2018 it was offered to me for 1,850 euros plus 19% VAT. The seller sent me a new email today:
NOLINK://https://share-your-photo.com/d3433409bf
For a long time I thought about what I would like to offer for the domain. Now I have decided: I do not offer 1,850 euros, but 1,850 ONE. This corresponds to a value of 49,857 euros and is a bombastic business for the domain dealer!
If I own the domain, I’ll auction it to the highest bidder on the new DealShaker portal. I have no more financial worries and can enjoy my life.
@CurryHater – RE: ICO: “9,000 big investors …and banks.”
*Captain’s Log:* (REALITY)
Capt: “How’d round #1 of the Onecoin ICO go for ya, Spock?”
Spock: “We sold nothing Jim. Nothing at all”
SOURCE: Onecoin ICO & Ethereum blockchain (via My Etherscan):
etherscan.io/token/0x957bd2bcd6a99744a2e6eba03c651bed6d4a0ad6
Capt: “Well, maybe on round #2???”
Spock: (shakes head) “It’s dead, Jim. D-E-A-D. Dead.”
@Otto
I’m waiting for the day when the German Audi seller Steven Wagner offers new cars on DealShaker. There are still many idiots waiting for it on Facebook. Here are some comments:
Of course not all OneCoiner want to buy a simple Audi. How about a Tesla? That too – maybe (!) – is possible sometime when I read:
Suppliers are the dream dancers Stephan Gruber and Stefan Wetzelberger from Austria. The imprint of their website is now also called a “lawyer” (Mag. Hermann Stenitzer-Preininger). A lawyer as a car salesman? Is this customary in Austria? 🙂
NOLINK://https://share-your-photo.com/15b1b6983e
Does anyone know this video?
NOLINK://https://share-your-photo.com/d48f8db865
Is that realistic or just a joke?
NOLINK://www.youtube.com/watch?v=MtfCZ6u3-qI&feature=youtu.be&fbclid=IwAR0TxsQSKwT0G6OsidR6dfCOOKFRqX-3XMOGUnqB93vCun0egb0qlCzG4pM
There is zero chance Onecoin would use something as difficult as Etherium for ICO. They will sell the packages and save the account balances to the same SQL database where they keep previous coins too.
@Timothy Curry
I do not understand your doubts. The upline of Curry Hater will not lie. No way!
Progressive bank directors will redevelop their ailing banks with the OneCoin. And the customers of these banks will in the future only buy OneCoins, not stocks.
The triumphal march of the ONE can no longer be stopped. Ruja has already announced that before she hid herself:
NOLINK://https://share-your-photo.com/0619797afe
@Niente
Thanks for your tip. As I mentioned earlier, the Ekmanresor bus company never responded to my e-mail. Strange is also that once allegedly 10 coupons were sold, under another link however 16 sold coupons are specified.
Here are the two links for comparison:
NOLINK://dealshaker.com/en/deal/bussresa-onelife-event-i-paris/KFyPsknhYCCaiYCKSZ93ZPc8UyzvENq6sKJAz78IU0Y~
NOLINK://dealshaker.com/de/deal/bussresa-onelife-event-i-paris/MQiJ1CJlcWHCwosGbRoB0D13UdAGM8LJDZTvsBPhukM~
Slobodan Ogorelica from Serbia is a diligent promoter of OneCoin fraud. He is less known under his real name, but his pseudonym “slobodanboda” is much better known. As “slobodanboda” Slobodan Ogorelica has already written 197 posts in the forum of Igor Krnic.
Because “slobodanboda” believes that the DealShaker will develop into a successful model, he has of course also tried to sell products there. Allegedly, Slobodan Ogorelica is European Sales Manager at Newway-textile. Here is an older screenshot of DealShaker:
NOLINK://https://share-your-photo.com/71b00fa3bc
Have all 1,000 coupons listed there been sold? So I’m asking because I can not find anything on DealShaker even though it’s still on Google:
NOLINK://https://share-your-photo.com/49f66a90b1
If I click on the link, it says only:
Is not today what Slobodan Ogorelica wrote on Facebook on August 15, 2018?
In his profile on Facebook “slobodanboda” claims that he studied in the University of Zagreb. That seems suspicious to me. Anyone who has studied should be able to distinguish between a real business and a fraud.
How deep “slobodanboda” is entangled in the OneCoin scam, you can also read on Facebook:
NOLINK://https://share-your-photo.com/cac350fe54
Of the mentioned 14 people who also participated in the meeting, these are known to me by name:
PS: I just see that “slobodanboda” is offering three recent Deals on DealShaker. Of 3,000 coupons, 2 (in words: two) were sold. 😀
Does anyone know this crazy guy from Croatia who does not like to give his true name? On YouTube he calls himself “Deki K”, on Facebook “dejannetworker”. He also speaks German, but on this video I do not hear a sound:
NOLINK://https://share-your-photo.com/947f9eaa76
NOLINK://https://www.youtube.com/watch?v=IXRtsVuFUqA
Melanie that clown is Iulian Cimbala with Luca Miatton.
@Rutjake
Are you sure? Cimbala has this Facebook account:
NOLINK://www.facebook.com/profile.php?id=1235595426
Melanie, you have a groupie Curry Hater. He admires you so much. Here is his glowing comments about you (you should be so proud of him), and I quote:
@Lynn
There’s literally nothing of substance there, just abuse. Which is what you resort to when you have no supporting facts.
I don’t expect much from scammers but there’s no reason to regurgitate that sort of content here.
Have OneCoiners ever thought about what “haters” actually hate?
Do they think we hate an awesome opportunity that is going to make everyone rich someday, and is available to anyone who wants to join – including the hater? Think about that!
Or, could it possibly be that we are warning people of a scam, perpetrated by known fraudsters, that is going to cause a huge monetary loss to those who joined?
Which makes more sense?
Sadly, the biggest haters are going to be the ones who have lost all their money to these crooks. I wonder, will they call themselves a “hater” then too?
Usually, people hate bad things that cause harm to people. Humans rarely hate good things. So calling exposers of the OneCoin fraud “haters” makes perfect sense.
Igor Krnic basically blames the car dealers for finally taking their deals off the market after another failed delay in “going public:”
@Igor – The “time to come to honor the deals” was when the company committed to ‘going public’ in October 8th. Don’t blame the many folks who believed the company was ever serious about that.
The only ones responsible for “not delivering” and making damage to the project” are the scammers who designed this and whom have been promoting and profiting from it from the beginning.
being the actual ‘haters’ since they absolutely HATE being exposed, I guess they think they’ll get a leg up by calling the smart people ‘haters’ first.
Melanie Yes 100% sure! He is the brother of Andreea Cimbala.
@Rutjake
Excuse me, but I have my doubts. Iulian Cimbala was “Blue Diamond” at OneLife and “Crown Diamond” at DagCoin (SuccessFactory). Would Iulian Cimbala (as “Deki K”) upload these videos to YouTube?
NOLINK://www.youtube.com/watch?v=nCYA2jR8RLU
NOLINK://www.youtube.com/watch?v=_GpzinjEUuA
It’s about healthy eating, nutritional supplements, etc. Iulian Cimbala would not even show on the internet which toothbrush he recommends or uses. Cimbala acts on Facebook as Kari Wahlroos and can be photographed with expensive cars.
NOLINK://https://share-your-photo.com/33c61df97e
In both videos, “Deki K” speaks German, but one hears very clearly that German is not his mother tongue. He is from Croatia.
@Rutjake
Obviously, “Deki K” no longer believes in the infinite wealth of the Bulgarian miracle coin. He now recommends eating healthy, dietary supplements and toothbrushes. 😀
In 10 or 20 years, he also buys a yacht – but without advertising stickers from OneCoin / OneLife / DealShaker.
NOLINK://https://share-your-photo.com/33c61df97e
@Melanie
The Yacht story is tied to Onecoin leader/pimp from Croatia, Mario Kuzminovic aka magicmark
dealshaker.com/en/deal/jadrnica-pierot-4-dolzina-9-16-m-letnik-1973-slovenia/NsAHUQlwyK6BefK*2y2jxVeUYAj6dOr75–A7EheawA~
There was no selling, just a private deal made to look like something legit. Truth is always hidden in small details:
@AntiMLM
Okay, understood!
Yes, I too strongly believe that the DealShaker will become a model of success in the next century. But what does the reality look like today? Here’s another example.
For many years, the Austrian Peter Moser forced the OneCoin scam. His first attempt to sell hopelessly overpriced products on DealShaker ended in a big disgrace:
NOLINK://https://share-your-photo.com/b651c3d448
A year has passed since then, but Peter Moser has never again tried to sell anything on DealShaker. In his online shop NOLINK://http://moserp.wic.at/megacars/index.htm he offers used cars. Why not on DealShaker? The OneCoin millionaires are desperately waiting to invest their coins reasonably well.
Foudhil Nasri writes, for most of us unreadable in oriental scripture, expectantly:
Google translates it like this:
Maybe a daily prayer will help fulfill this wish?
NOLINK://https://share-your-photo.com/d34dc548de
@Lynn
Another admirer? Gigantic! That’s an increase of 100 percent! When do I get praised on wikipedia.org?
Nothing changed with Kralev Cars deals and coupons cancellation. Scammers are advertizing apartments, houses, land all over the place with 100% OneCoin, even though there’s zero OneCoin to Fiat liquidity.
OneCoin company doesn’t really care that these deals get cancelled. The main purpose is to hype and achieve new “education package” sales.
Now it’s especially Australian IMAs like Thanh Duong who are scamming with these kind of hype deals.
facebook.com/ThanhCoin/videos/2148382788712518/
On many pages on Facebook, the self-proclaimed “Digital Currency Consultant” Denis Murdock is quoted, who has projected these numbers on quora.com:
NOLINK://https://share-your-photo.com/a1ebea55e7
I assume that 99.9% of the blinded OneCoiner believe in these numbers. Anyone who owns 10,000 OneCoins today will be a four-fold dollar millionaire in December 2021?
Did I make a big mistake when I did not buy educational packages?
Two funny comments from the Facebook group of Kralev Cars Ltd.:
This is followed by a GIF entitled:
NOLINK://https://share-your-photo.com/5e9e89ef9c
Four weeks ago, Petar Kralev boasted:
Why does not the self-proclaimed “Doctor DealShaker” delete such comments? He probably knows that his reputation as a car salesman is finally ruined. First, he supposedly traded in real estate, then in cars – what’s next?
Alternatively Petar Kralev could have indicated in his Facebook group that he can not deliver the ordered cars. With or without reason. Or is not that common in Bulgaria? If I had bought a new VW Passat from Kralev, I would sue him for delivery. Through all possible instances.
BTW, let’s look Igor’s comments on Kralev.
Commenting on Kralev interview video:
(onecoin-debate.com/viewtopic.php?f=2&t=673&start=100)
At one point he had info that Kralev was just a “front store” for bigger company that was hiding because of the “haterz”, lending credibility to the scammer:
(onecoin-debate.com/viewtopic.php?f=2&t=7&start=100)
Igor thought that when they reduced coupon numbers, the deals became more realistic:
(onecoin-debate.com/viewtopic.php?f=2&t=673&start=70)
That kind of deals were used for transferring large amount of coins (thus bypassing the transfer restrictions of backoffice).
So if e.g. someone managed to find a buyer for his/her coins in Facebook, he/she transfered the coins by buying nonexistent stuff from the receiver of the coins.
Yesterday there was a DealShaker training in Cambodia. Here are a few OneCoin idiots happy about their worthless participation certificate:
NOLINK://https://share-your-photo.com/3c30cfa0d4
A very bad promoter and supporter of OneCoin fraud is Manfred Mayer, who also appears as “MaMa” on the internet. I just wanted to call his website continuum.li, but that’s not possible:
When guys like Manfred Mayer revise their website, it mainly means: destroying evidence, erasing as much as possible before the police ring the doorbell.
Will this ridiculous DealShaker map still be visible after the “overhaul”? 🙂
NOLINK://https://share-your-photo.com/35f7d7865f
There are tools like Internet Archive – Way Back Machine: archive.org
It keeps snapshots of web sites taken at the time of their various “milestones”. There is even a link allowing you to suggest specific web page and thus add current content of this page into this archive.
P.S. I am not sure if the police can use archived (or even existing) content of the web sites as evidence in these types of crime. But at least… it can help to the investigators.
^His dealshakermap works though.
How to eliminate treacherous traces to his fraudulent OneCoin activity, clearly demonstrates the OneCoin scammer Hansjörg Oberrauch from Austria on Facebook.
Hansjörg Oberrauch has simply deleted several years of his Facebook account. And on Google he has 25 search results deleted:
Of course, the hard-working promoter of the OneCoin fraud, Hansjörg Oberrauch, has no friends on Facebook today. That was 95% also OneCoin scammers from around the world. Only this photo is still available:
NOLINK://https://share-your-photo.com/03481815d6
PS: There are many comments and screenshots in my private OneCoin archive that I like to make available to the judicial authorities. Also about Hansjörg Oberrauch! 😀
Even scammers like Hansjörg Oberrauch are foolish idiots when they leave videos about their OneCoin activities on the net. Here’s an example:
NOLINK://https://share-your-photo.com/b757d6a317
On the Onecoinico.io website, you cannot read clearly a “going public” date, what the hell is “MDP” in four stage ? also they inserted “Awesome discount” between theses period, but anyway the “MDP” will be ready in January 2020 it’s amazing ! AMAZING !
Maybe the MDP is a secret evasion plant for all ONECOIN leader ? included surgical face change and a portrait of Dr Ruja ?
Scheduled scam event in Arbanasi (Bulgaria) on November 24 and 25, 2018 with Petar Kralev (Kralev Cars Ltd) and Duncan Arthur (DealShaker developer):
NOLINK://https://share-your-photo.com/8bd92ee71e
There is an UNCONFIRMED CLAIM from a former Onecoin investor, via Facebook, that a Onecoin IMA has recently had acid thrown on his face in East London by a disgruntled scam victim in his down line (in the ongoing Onecoin ponzi fraud saga).
This was something I heard chatter about in a WhatsApp group at least a few weeks ago, but there were literally no details available, so wasn’t worth mentioning.
This most recent update to this same claim, however, goes into more detail about the ALLEGED incident, stating that the victim of the acid attack has now, sadly, lost the vision in both eyes.
According to this STILL UNCONFIRMED CLAIM:
I have tried to dig additional information online either confirming or denying this, but have been unsuccessful, thus far. If anyone has any luck finding an additional source or additional verification (or denial) of this allegation, please post findings!
IF TRUE, this would certainly be news worthy, particularly if more details of the alleged incident/ attack become available!
Yeah acid attacks are typically reported no? You’d think even more so if blindness occurred.
Melanie, re#840
Are you referring to the same Manfred Mayer that started up the SwissCoin scam? I know he was involved with OC before that, but after getting out of SwissCoin I think he started up another project called SwissCoin Classic.
I’m surprised OC did not go the same route as SwissCoin:
– launch a generic coin (quickly cobbled together from available sources) on a token market
– stall when it comes to making coins available for the early investors: hackers, technical problems, KYC…
– sell the project to another party that will need to develop a new model to continue to get money out of investors.
@Niente
Oh dear, I’ve made another big mistake. I apologize to all readers. The operator of continuum.li is called MARTIN MAYER, not Manfred Mayer. Here is a picture of MARTIN MAYER:
NOLINK://https://share-your-photo.com/d0ef657a0d
The Manfred Mayer mentioned by you, known in Germany as serial scammer, is currently running the website again richcoin.eu, which was not available for a long time. The photo below shows Manfred Mayer:
NOLINK://https://share-your-photo.com/1748ec870b
The Stefan Wetzelberger and Stephan Gruber from Austria mentioned in my comment #812 announce that they will travel to Paris:
NOLINK://https://share-your-photo.com/eea3522fb6
Lord, forgive them, because they do not know what they are doing! 🙂
This was a very short excursion of SPAR dealer Richard Planer from Walchsee in Austria into the world of cryptocurrencies. In this photo was still celebrated and cheered in Walchsee:
NOLINK://https://share-your-photo.com/70647fbc10
You can still find coupons and links to DealShaker on Facebook – but they all lead to a blank page:
NOLINK://https://share-your-photo.com/e9fcec0fca
And how many coupons did Richard Planer from Walchsee actually sell?
NOLINK://https://share-your-photo.com/ee478baba5
That the disputed :gerlachreport also reported on the action of the SPAR dealer from Walchsee was the culmination of the idiotic action.
This picture was posted 10 hours ago with this text on Facebook:
NOLINK://https://share-your-photo.com/3d0138737e
@Melanie
I suspected something like that. Interestingly enough, go to that richcoin.eu page, and you’ll see a link “Warum SWISSCOIN CLASSIC”.
Click on it, and you get to a page “Warum OneCoin”.
So, they only got as far as changing OneCoin to SWISSCOIN CLASSIC on the front page. Rest of the site speaks about OneCoin and describes events in 2016.
NOLINK:/https://www.youtube.com/watch?v=ekZl5LqmtXs
@Niente
Quote from richcoin.eu from the Web Archive of August 2016:
swisscoin.eu is currently redirecting to swisscoin.community
The domain richcoin.eu was registered on September 7, 2015. In the eMail address Manfred Mayer is called.
The swisscoin.eu domain was registered on February 7, 2016.
Question:
Answer:
NOLINK://https://share-your-photo.com/d3a05ee73f
I love it when specific questions are answered exactly! This creates confidence and I can sleep again peacefully.
Dr. Ruja Ignotova answers with a short message from her hiding place:
NOLINK://https://share-your-photo.com/febd09bb70
11,689 brain dead OneCoiner keep the fake profile of Dr. Ruja Ignotova for real:
NOLINK://https://share-your-photo.com/fc4babbcd7
Has anyone ever tried to reach DealShaker in Ireland by phone? Who logs on the phone? Ruja, Konstantin or Duncan Arthur?
NOLINK://https://share-your-photo.com/1a205bda34
so why they aren’t shut down in all the countries after all these years if they are a scam?
You’d have to ask the relevant authorities.
The new DealShaker contains a section “Only Euro“. Little sense for the OneCoiner who want to deposit their worthless coins:
NOLINK://https://share-your-photo.com/5163dfc486
The stupidity and simplicity of OneCoiner worldwide is limitless. Of hundreds of comments I’ve selected this today:
Africa is big. Unfortunately, the jerk does not state in which country he lives. I can easily call the DealShaker with an IP from Kenya or South Africa. I have not checked other countries.
NOLINK://https://share-your-photo.com/17d1e35da2
The world is full of pickpockets, murderers, terrorists, scammers, white-collar criminals, bankrobbers, thieves etc.
Most of them have not been arrested (yet) or are still under investigation. Does that make them legitimate?
Think before you make another dumb claim.
New article from Sweden about Nobis Aire, Pehr Karlsson’s (former?) airline, presumably funded with Onecoin winnings:
NOLINK:http://www.smp.se/vaxjo/nobis-air-ar-skyldig-flygplatsen-hyrespengar/
Unfortunately hidden behind a party wall. If anyone has access, please share.
OneCoin has a song: NOLINK://https://www.youtube.com/watch?v=dmKa4RM
I know all of you will want to rush out and listen to it. It’s the least I could do as a public service to the world.
That is because he *currently* does not have any coupons for sale. If you e.g. check Kralev Cars, you’ll see the same “has not sold any coupons”, although we all know Kralev (over)sold 65 coupons.
This is just how the Dealshitter works. “Future of payments” and all.
@Otto
Absurd form of Bulgarian “accounting”? 🙂 But extremely tax-saving. Where nothing has been sold, no profits are made. So does Ruja try to lure new merchants to the DealShaker?
Nothing much new about Nobis Air where Pehr Karlsson was involved. They had signed a 3-year lease for an airport hangar, but after the project was cancelled they stopped paying the rent, so they are due about 10k €.
Many OneCoin idiots have been complaining for months that their coins have disappeared from the so-called coinsafe. They have been so comforted: “Wait for the next split, then they are visible again.”
The split has taken place meanwhile – but nothing has changed.
Of course Igor Krnic has already found a culprit: Allegedly the old IT team. I think this comment on Facebook is more credible:
NOLINK://https://share-your-photo.com/b2b1e177a6
Is anyone interested in counterfeiting? I am currently reading in a very interesting graphic terms like
Where is the factory that produces fakes like on a production line?
The graphic was completed with this comment:
NOLINK://https://share-your-photo.com/4c43694958
The Bulgarian used car dealer Petar Kralev does not like to read such comments in his Facebook group. He has therefore disabled the comment function. 🙂
In many countries, wholesalers and retailers make the highest sales in December due to Christmas sales. Nevertheless, on DealShaker there are nonsense offers like this:
This offer is online for three months, although it can not be delivered during this time. But it turns up in the DealShaker as an “active” offer and thus graces the statistics.
NOLINK://https://share-your-photo.com/255de1a9be
Is it necessary to believe the infamous lies that Konstantin Ignatov spread daily? There can only be one answer to that: NO!
NOLINK://https://share-your-photo.com/8cc21b54da
NOLINK://share-your-photo.com/628d13806c
Fantastic! And who claims that? The guy’s name is Geri Savini, former CEO of designio GmbH, which went bankrupt in 2017. I quote from the commercial register:
NOLINK://https://share-your-photo.com/1259e27e2c
I know several entrepreneurs from Germany, Austria and Switzerland who went bankrupt and then joined the OneCoin scam. One of these is the notorious liar and cheater Geri Savini (NOLINK://www.facebook.com/admielsa/).
New dates for so-called DealShaker Expo’s are announced daily. Also in Birmingham high ticket prices are required – not in ONE, but in GBP:
NOLINK://https://share-your-photo.com/881adc9206
Who deserves a golden nose here? Well, the operator of the website onevisionteam.co.uk does not reveal himself. The domain was registered anonymously on October 7, 2018. And when I visit the onevisionteam.co.uk/expo website, I’ll be redirected to tickettailor.com/events/ukdealshakerexpo2018/201425.
With the sale of tickets obviously a lucrative business is made by third parties, because the OneCoin itself is completely worthless. Similar to the ticket sale for the event in Paris on the domain onestylefortlife.eu.
In the forum of Igor Krnic the user “onebefree1” writes today:
I assume that this was this offer:
NOLINK://https://share-your-photo.com/354f5b37bd
A “company” based in VIETNAM sells properties in PANAMA? Miguel Marchena lives in Panama and describes himself as a financial coach.
Why do I have to laugh out loud now? 😀
Pictures often say more than a thousand words. “The development of OneCoin from 2015 to 2018.” Only interesting for scrap dealers:
NOLINK://https://share-your-photo.com/0bdae44551
Source: NOLINK://kusetukset.blogspot.com/
On the new DealShaker delay, Duncan Arthur said this in recent (11.11) event in Vietnam:
(youtu.be/S-ITKTOxovg?t=4375)
I don’t know how it should be interpreted. He gives a technical reason for rhe delays (APIs…) implying it’s still very much a work in progress, but then says it’s essentially ready.
Probably just an excuse to cover up some more fundamental problems…
A 61year old man from Bremen, Germany is being tried for Onecoin fraud in front of the Meißner district court.
SOURCE: m.sz-online.de/nachrichten/die-gekaufte-hoffnung-4051532.html
The article reaffirms BaFIN ruling that Onecoin is banned/ illegal throughout Germany.
@Semjon
This is just a guess, but maybe Duncan refers to specificly OneCoin IT people (not DealShaker devs), that they are the cause of delays.
The DealShaker developers are separate as I understood. They probably have had some trouble integrating OneCoin’s SQL coin economy with the SocialEngineAddOns based new DealShaker platform.
OneCoin’s IT team is extremely incompetent, as we have seen during the last 7 months with the CoinSafe issue, it losing members’ coins after maturing. Over 7 months probably tens of thousands of members have had coins missing.
Even if they lost data with the office raid, any decent project should have backups. Of course, OneCoin is a one big catastrophy in every possible way.. XD
Remember when PowerPack were suppose to be “sold out” somewhere around October 15th.
Well, of course that didn’t happen.
Igor Krnic advertizes this Gift Code shop by Pascal-Rene Andre which offers for example this nice 6+1 DISCOUNT PowerPack education package only 292 500 euros. Cheap, as the normal price for this education is over 341k euros. 😀
giftcodefactory.com/gb/13-all-packages
So, how are the PowerPacks advertized today by OneLife IMAs? Well, here’s a recent example:
facebook.com/groups/digitnow.en.it/permalink/528639877560484/
Don’t forget the amazing education event slides, where all this is made clear for the new victims.
image.ibb.co/hR8Suf/powerpack-marketing.jpg
Well, more members of Igor’s blog are getting restless.
One of the staunchest supporters, slobodanboda, is beginning to lose his patience. Not a happy camper with DS fiasco.
Also at one of Igor’s comments that complying with regulations could cause a delay until 2020.
The wheels are coming off the bus and now the members are waking up and seeing it. Even Igor sound depressed of late.
Ruh Roh, seems Igor has lost his touch with OC management. He had suggested they do a weekly update but alas they are too busy with “other” things to cooperate.
Ya its getting sad.
its abit weird that thay all seem to agree that “from their perspective” onecoins moves dont make any sense. even when Igor does his outmost to push the squre blocks trough round holes, 6months later he has no problem taking a whole new approach since still nothing makes sense.
You would think that whit such wild and creativ imagination thay could atleast ones take the approach that its yust a fraud from inception, and be astonished as to how easily to blocks fit.
my feeling is that the onecoins suckers still in it are firsttime scammed idiots. onecoin has taken the playbook from a number off different scams and pushed them all at one time our another.
how hard can it be to give a local consumer group our financial authority a phone call and ask what thay know, instead of theorycrafting and failing again and again on the most basic of assumptions.
Another example of how OneCoin / OneLife lied.
The DealShaker indicates today:
This video from October 21, 2018 states:
That’s a minimal difference of 41,141 merchants. Question to Konstantin: Which of these two numbers is the right one?
NOLINK://https://share-your-photo.com/b0ca16c199
@Lynn
For many weeks it has been announced that the new DealShaker will start. Under a video on YouTube the 5th of November 2018 was called – without obligation – start date.
Also in the forum of Igor Krnic criticism is practiced that the start date is postponed again and again. User “jonone” explained why the new DealShaker is needed:
If you did not know what Ruja meant by “THE FUTURE OF PAYMENTS”, you know it now! 😀
NOLINK://https://share-your-photo.com/e35d616571
@LORD
The problem with Krnic is his huge ego. He said ones, he believes OneCoin is not a scam because “he has looked Konstantin in the eyes”.. Sure, how many multimillionaire/billionaire professional investors looked Bernie Madoff in his eyes, not to mention his children. How simple you can be..
Krnic also believes he is a “visionary like Ruja”, and us mere less genious people obviously can’t see the brilliance of this system. And of course, Krnic has invested at least in Feb 2016 and Feb 2017 total of 60btc and 10k euros in OneCoin.
In February 2017 Krnic was part of a group that invested in 48k euro PowerPack. At that time one PowerPack generated enourmous amount of onecoins, according to him, 5 million onecoins.
So, using the company artificial coin “value”, the “value” of that PowerPack is today (26.95€*5M coins) about 135 million euros. Suuure. 😀
I don’t know how f’ed up in the head you have be to think, it’s legit that a company announces its own artificial euro “value” for the coin, (in February 2017, 7.85€/onecoin) but at the same time sells “education package” which generates 5 million onecoins at the price of 0.009€/onecoin.
So the company’s announcement of coin price is here 818 times higher than what the investors actually paid per onecoin. And Krnic defends religiously this kind of scheme and sees nothing wrong with it..
Now that Onecoiners are facing the inevitable facts, that there’s minimal amount of demand for the coin compared to the supply, no fiat liquidity at all, all the technical problems, no blockchain to verify, etc they start finally raise very critical views themselves..
Heh, a year ago these slobodanbodas etc. would have been banned from Igor’s forum as haters..
https://image.ibb.co/mDtjQL/Igor-powerpack.png
It’s a bit funny how Krnic calls the prices of open market cryptos scams, while in his opinion obviously only OneCoin, the MLM club artificial value play money founded by fraudsters and criminals, with its company dictated fake euro “value” and zero liquidity, is the coin which price is not a scam. 😀
Sure there’s huge price manipulations on open market coins, no doubt. But to turn the issue completely around so, that OneCoin is the actual legit one among all the coins..
The level of his delusion and arrogance is simply something else..
Actually it is really simple. I asked Igor and he told me, quote: Old DS is in maintenance mode so it is not good with figures.
Besides Duncan also said the 127,434 was the number of merchants, so with he and Konstantin saying it, it is true.
Just curious if anyone has emailed the croationcentre in Vancouver re: the two day scam event about to take place on the 17th and 18th?
Tim said he’d called and left a voice message yesterday.
Dealshitter numbers are not a matter of opinion, nor can he say “it is not good with figures”.
Even if the counters would show zeroes, anyone can count how many pages of deals are listed and multiply it with deals/page (12) and then see that there are a bit over 17 000 open deals.
That sets the maximum of merchants to 17 000 and then you have to factor in the merchants that alone have over 300 open deals.
It is generally claimed that Ruja Ignatova has not been seen in public since 9 October 2017. That’s wrong! I quote from Facebook on May 29, 2018:
NOLINK://https://share-your-photo.com/d94f5a06c9
Does anyone know who the painted clown is next to Ruja?
On Facebook it is claimed that one can buy a new car from the German Audi seller Steven Wagner and pay 100% with OneCoin:
NOLINK://https://share-your-photo.com/47af138a98
And the notorious liar and bankrupt Geri Savini claims on Facebook:
NOLINK://https://share-your-photo.com/8d708beb09
Steven Wagner himself founded a closed group on Facebook. Why a closed group? Well, Steven Wagner explains it this way:
Reputable groups on Facebook are usually public. Anyone who hides in a closed group is almost always very dubious. Like the “Project Autohaus” by Steven Wagner and Gunther Triebel from Germany.
In Russia and the Ukraine Steven Wagner has already found two fraudsters who support him.
NOLINK://https://share-your-photo.com/2bf13c6e6a
Ignatova was hiding out on a boat at some point off the coast of Bulgaria IIRC. Who knows when that photo was taken.
Can we please tune down the sarcasm a little bit. It may get confusing to any possible OneCoin member who is not so familiar with this scheme..
@Oz that’s a known photo from Konstantin’s Instagram from July 12, 2017…
https://www.instagram.com/p/BWcCwFpg9UD/
I think Melanie knows it, but many OneCoin members don’t know. That’s why when talking with sarcasm, imo it would be important to bring out the facts too.
@WhistleBlowerFin
Okay, it will be hard for me, but I will try to hide less sarcasm and irony in my comments. 🙁
Probably no-one noticed that this photo of Ruja and Konstantin from the fake person “ Dr. Ruja Ignotova ” was uploaded to Facebook.
Here comes the next lie of the bankrupt Geri Savini:
NOLINK://https://share-your-photo.com/391c22e6d7
Of course, you can not buy concrete on megabigdeals.at. Interested parties can fill out a form there, nothing more.
The operators of the website, three dream dancers from Austria, are not regular dealers. There are only three other idiots who firmly believe that OneCoin is a real, regular cryptocurrency.
Slobodan Ogorelica from Serbia, better known as “slobodanboda” and a diligent writer in the forum of Igor Krnic, writes on Facebook (facebook.com/groups/projekt.autohaus/):
Steven Wagner, the German Audi salesman and founder of the closed Facebook group “Projekt Autohaus” responds with a clear restriction:
The nonsensical answer of Slobodan Ogorelica in the screenshot below:
NOLINK://https://share-your-photo.com/1d248bbd0d
The test page vptestsitedeals.com for the new DealShaker is no longer available:
NOLINK://https://share-your-photo.com/fd9b8e8c88
Denis Murdock today in Vancouver Canada DealShaker expo.. With Vietnamese OneLife Crown Diamond Simon Le:
image.ibb.co/m58jC0/Denis-Murdock-Simon-Le.jpg
With Australian Blue Diamond Thanh Duong: image.ibb.co/emteef/murdock-thanh.png
Denis Murdock, who is Las Vegas based OneCoin scammer, advertizes huge profits “without risk” and recommends investing 100% in his OneCoin PowerPack group shares if you have 50k.
empowerglobalgroup.com/about_us.html
empowerglobalgroup.com/coop.html
quora.com/If-you-had-50-000-to-invest-in-cryptocurrency-how-would-you-distribute-it-in-your-portfolio
@WhistleBlowerFin
The lies of Denis Murdock are also spread on YouTube. 79,000% ROI? I’m shocked! Murdock has already predicted an ROI of 84,000% in the past. How is the difference of 5,000% explained?
NOLINK://https://share-your-photo.com/0e12fbc1ef
Does anyone want to voice doubts? Sorry, that is not possible.
NOLINK://www.youtube.com/watch?v=2vthpNkqYZM
For the event in Vancouver this website was put online:
NOLINK://www.canadadealshakerexpo.com/
Why did onecoin put a list of crypto exchanges on their ICO website? According to Igor, it was all a big prank:
@Steven Nugget, lol another pathetic excuse by Igor Krnic..
I wonder did he come up with that himself, or someone from the company told him that bullshit.
Sure, it was a joke, but not that kind of joke which Krnic tries to potray. Obviously OneCoin could never get its scam token/coin listed on any reputable exchange.
The purpose of the exhange list was obviously to create hype and make their scam project look more legit in the eyes of ignorant OneCoin members.. That worked for a while on Facebook. OneCoin members were in extacy.
But OneCoin didn’t anticipate that one of the big exchanges would publicly call it a scam. After the message by @krakensupport on Twitter, the exchange list disappeared very quickly from onecoinico page.
So, OneCoin’s plan to hype and look more legit backfired big time..
New OneCoin hype car dealer website has appeared advertizing cars with 100% OneCoins..
I guess some idiot OneCoin members will still get excited about this.
onecars.eu/
@WhistleBlowerFin
Quotes from the Terms and Conditions: (onecars.eu)
Since the site does not contain a legally compliant imprint, I can only judge as follows: Absolutely untrustworthy!
Now the new DealShaker project manager Duncan Arthur says that “we hope to do soft launch next week”.
(youtube.com/watch?v=-1lYZyDFcvQ)
So sounds like they are going to launch it unfinished, hoping to buy more time to put lipstick on a pig.
@Semjon ,obviously they have some problems with it.
It has been since September always “next week”. 😀
Now it’s “we hope to soft launch next week”. Sounds more and more uncertain. I wonder if they launch some non-functioning site just before the big Paris event, just to get something out.
It’s pretty much a catastrophe in the network if there’s nothing new for the Paris event, just the same old “coming soon” BS. XD
How do they plan to do the coin transfer when there is no way to move coins from one person to another?
Or is the buyer required to do a fake “personal deal for user onecarseu” to DealShitter, just for the coin transfer? 😀
The domain was registered 12th of October 2018 (4 days after coin was supposed to go public and Kralev took deals away from the Dealshitter), in the name of a web hosting service.
The registrant email address is basically a random string coupled with web hosting domain. Registrant country is said to be France, but it’s the country of the web hosting company.
In short: ownership of the domain is hidden.
@Otto
If you buy a Porsche Panamera Hybrid or a Lexus LC 500, you do not have to transfer money at all, as they only cost 0.00 ONE.
NOLINK://https://share-your-photo.com/29bdc60478
Problems are there to be solved. My fleet will soon have a Porsche and a Lexus. 🙂
Presented at the Canada DealShaker Expo:
NOLINK://https://share-your-photo.com/fe9ba0652c
NOLINK://https://share-your-photo.com/44088a1683
Everything just a bad joke? When I call the website, it only says:
Gigantic! Phenomenal! Here are the details:
2 hours = 120 minutes (in Germany, in Australia that may be different)
600 sales contracts were made in 120 minutes? My calculator says: Every 12 seconds a new contract! Then the pen glows and the paper catches fire. Very dangerous if there are no fire extinguishers nearby.
NOLINK://https://share-your-photo.com/c31913ac05
Is this true? PayPal Funktion im the new dealshitter?
I can’t Upload the Picture Here… Anyone information about that?
If by “function” you mean OneCoin used one of their shell companies to create a PayPal account to accept payments through, then sure why not.
Legitimate merchants aren’t interested in OneCoin database points so might as well add a real money option to appear legit.
When it was announced that DS would have PayPal, I immediately thought they would be using a shell company for the PayPal account. There is no way in Hades they would try to use OC/OL as they knew PayPal would kick them to the curb. So to me this is not a surprise.
I am sure if PayPal gets enough comments about their shell company and what it is really all about, they might have a change of heart and close it. It’s how PayPal shut down TrafficMonsoon,
Trouble is nobody actually uses DealShaker though. After the “HAY LOOK I BOUGHT SOME RANDOM SHIT FROM CHINA LULZ FUTURE OF MONEY!” marketing buys were made a few years ago, who has bought anything since.
The only people still using DealShaker are those laundering points between accounts and the big ticket scams.
Having PayPal in new DealShitter is in the end no different from the current DealShitter.
At current roughly one quarter of the deals in DealShitter ask euros for payment (mandatory 50/50 division between euros and OneCoin).
Almost without exception the product would cost the same without the OneCoins, meaning that the merchant does not really want the OneCoins, just the euros.
So it’s just that in new DealShitter the merchant might actually get the euros because of PayPal, in current DealShitter the euros from cash account are hard to withdraw because there are limits and payments that make the process expensive and cumbersome.
I wanted to register on newdealshaker.com yesterday. After the 4th attempt, the following message appeared:
OneCoin, the coming-soon-coin! 😀 Really professional at OneCoin only the fraud works.
NOLINK://https://share-your-photo.com/633bd471f9
Dusan Torbica and Branislav Curcic from Serbia jointly run the website cryptocurrencyglobally.com and promote the OneCoin scam as “Diamonds”. Why is this website no longer available? (cryptocurrencyglobally.com/cgi-sys/suspendedpage.cgi)
The screenshot below comes from the web archive:
NOLINK://https://share-your-photo.com/8ca7d6f1c3
On Twitter, the two introduce themselves:
NOLINK://https://share-your-photo.com/a68be61ebb
Dusan Torbica is also a member of the forum of Igor Krnic, but does not write often.
The OneCoin dinghy has another captain after old Captain Frank Ricketts fled:
NOLINK://https://share-your-photo.com/f2167eaf05
@Melanie
cryptocurrency.rs (localized version of cryptocurrencyglobally.com) is also down.
web.archive.org/web/20180302093501/http://cryptocurrency.rs/nas-tim/
web.archive.org/web/20180331064326/http://cryptocurrency.rs/nemanjabastovanov/
Younger team members (I believe two of them listed above with their friends were minors when they joined OC) have left several months ago for iMarketsLive scam.
Probably a sign Torbica and Curcic will very soon follow the footsteps of Ignatova.
@AntiMLM
In October 2017 Pavle Mirosavljev updated his profile picture on Facebook as follows:
NOLINK://https://share-your-photo.com/df2bac9cd1
Even Rajko Vukovic can not deny that he promoted the OneCoin scam:
NOLINK://https://share-your-photo.com/2642419fde
Igor Krnic recalls in the closed Facebook group “Project Autohaus” the failure of OneMillionShop from Poland and Kralev Cars from Bulgaria.
In this group, hundreds of idiots now believe that German Audi salesman Steven Wagner will be able to deliver new cars that can be paid for 100% with OneCoins.
Petar Kralev is also a member of this group.
NOLINK://share-your-photo.com/8db1e5f86c
Sadly there are still those who believe OC is real and are offering their ideas on how to make OC stronger. Here is the latest attempt from starbucks001, and I quote:
Hopefully Igor will answer, and should be fascinating reading.
Were these 5 NISSAN GT-R NISMO 4WD sold for 178,710 euros each by Takao Fujimoto? I can not find the deal on DealShaker anymore. Again a decoy offer?
NOLINK://https://share-your-photo.com/307cc515d5
In the screenshot you can see that the deal can be deleted or edited. So should the supplier Vành Khuyên from Vietnam, who calls himself on the DealShaker portal “Takao Fujimoto”?
NOLINK://https://share-your-photo.com/a6ee68a822
This person “Val Derebey” is a active reseller in Belgium and also an very active troll/liar on some Facebook group acting against ONECOIN/ONELIFE. It’s also a pathological liar about his life style/fortune (like maybe all onecoin ambassador, bling bling over all truth right ?).
He’s actually trying to discretely leave the scam by removing all of his link with onelife; here’s a picture of him;
Nolink://http://image.noelshack.com/fichiers/2018/47/3/1542820357-foto-no-exif.jpg
Any body faced him on FB ?
@Vladof
Everything deleted? No. On July 10, 2018, Val Derebey awarded the OneCoin scam 5 stars and wrote:
NOLINK://https://share-your-photo.com/dd0ce47ad9
@Melanie
His comment look like the “dumb like” flood commentary you can watch on ALL onecoin/onelife Promotion video, like;
“Onecoin best project ! love !”
“Onecoin for all ! event the hater !”
“Onecoin will dominate soon !”
etc.
@Vladof
A OneCoin critic named “Capri Corn” wrote on Facebook:
Val Derebey replied:
Always nice and polite, as usual with followers of the OneCoin cult. 🙂 If you have no credible arguments, you respond with insults.
NOLINK://https://share-your-photo.com/ece2aa4389
Another false start – as usual with OneCoin:
NOLINK://https://share-your-photo.com/37a5ddc04d
@Melanie
That’s not surprise me at all, this guy as a pretty large (but not successful) criminal/scam abuse case behind him, his family name is know in the region for being linked to small criminality like “old people robbing” and “car mileage change/faker”. But it’s pretty usual for any Onecoin leader to be link to a large past of scam duties right ?
Other interesting fact to consider is the real life attitude of this person; i mean; wearing a “Thai boxing” hoodie for intimidating people but be a fat kebab eater at the same time, whatever; it’s the financial revolution behavior.
This nonsense was spread by Geri Savini on Facebook. Now I understand why Geri Savini had to file for bankruptcy with his own company.
NOLINK://https://share-your-photo.com/ebed3d451f
That same story was already told on July 14th 2016:
twitter.com/derose/status/753374638990917632
So he didn’t invent the idea, but he still thinks everyone listening is an idiot, I suppose.
@Otto
Even a German idiot named Florian Andris claimed in 2016:
NOLINK://https://share-your-photo.com/1e7a3efb81
For a short time, Muhammad Zafar appears in the video.
Can we buy Apple, Microsoft, Google, Walmart, etc. in the new DealShaker?
On Facebook, the German Florian Andris, a very diligent OneCoin scammer with the status “Diamond” indicates that he is now based in Monrovia (Liberia). Did he escape from the German judicial authorities?
NOLINK://https://share-your-photo.com/9ee8550f15
In addition, he has deleted the list of his friends in both Facebook accounts. Most of his so-called “friends” were people who lured Florian Andris into the OneCoin scam. With 16,631 subscribers in his account, it could be possible that he secretly still promotes the OneCoin scam. Preferred in Liberia?
On Facebook, Florian Andris has set up this account for OneCoin fraud: NOLINK://www.facebook.com/OneLife-Independent-Marketing-Associate-904835029623094/
More and more providers on DealShaker are trying to avoid the 25% Ruja tax. Above, the price is displayed in ONE – in the fine print below, then another payment in euros is required.
NOLINK://https://share-your-photo.com/dc9c98dc00
The details are then explained:
25 percent of 7,000 euros are 1,750 euros. Ruja could buy a new handbag from it again. Or Konstantin a new tattoo.
Who buys a high quality McIntosh machine from an unknown supplier in Azerbaijan? The seller calls a new price of 29,000 euros. Strange, because in Germany the McIntosh combination is traded around 20,000 euros.
Particularly deterrent is the fact that even this seller does not organize the shipping of the 14,000-euro McIntosh, but transfers it to the buyer. Have you never heard of “customer service” in Azerbaijan? Of course this also applies to all other dealers on DealShaker who only want to sell, but do not want to be bothered with the shipping.
Let’s see if anyone can give a logical answer on Igor’s No-Debate forum to this long-time member’s question:
Thu Nov 22, 2018 9:37 pm
Hi Friends,
can somebody explain me this in a logically (sic) way?
They want to continue to sell educational packages with free Token, maybe later with ready coins, how Igor mentioned once.
Who will buy One at the exchange for full price, if this will be continued?
And second question is similar. Why shall a new merchant join to sell his product for One (€ 26,95 at this moment internal value) if he could also still buy education with free Tokens/Coins and receive more Coins for less money?
I do not understand it right now. Not only me.”
WELCOME TO PONZI WORLD, KIDS!
Ya’ll ever thunk bout the fact we’ve been aiming to kindly beat some common sense into your thick indoctrinated skulls about these exact such conundrums (and oh so much more) for the past 48months??
The old topic…
…reappears here in the “Most Wanted” list. The reason for this may be in this pending offer, which is currently being propagated on Facebook:
NOLINK://https://share-your-photo.com/7f299e1250
There is delusion and then there is delusional. I’ll let you decide which one jonone is, and I quote:
NOLINK://https://share-your-photo.com/472bd6dfdd
Next level? Can the Bulgarian fraud be increased?
(The “lady” is Mariana Lopez de Waard, who has switched from cheating with CONLIGUS (Steinkeller Brothers) to cheating on OneCoin.)
Advertising for the OneCoin scam on public roads? Real or a photomontage?
NOLINK://https://share-your-photo.com/d8b90e29b1
My bet is on Photoshop. The pictures look fake.
Wow, I’m excited! In less than two months, Trusted Zeller Online Shopz has sold 5,001 laptops! That’s a turnover of 2,725,275 euros. And when are these laptops delivered? DealShaker states:
Believe it or not. On the seller’s website NOLINK://www.trustedselleronlineshop.com/# he whines:
NOLINK://https://share-your-photo.com/a952966017
Igor Krnic threatens the member “obo”:
NOLINK://https://share-your-photo.com/486065ff55
NOLINK://https://share-your-photo.com/dc821d3353
The registration on NOLINK://www.erfolgbefluegelt.com does not work, because it says:
The whole action is again handled by a “company” in Vienna (AFASM GmbH), which was obviously founded only for the OneCoin scam in Austria. Here is the incomplete imprint:
NOLINK://https://share-your-photo.com/389dc2d1bb
@Melanie
You beat me to it.
I wonder, out of the 100% of anyone who INVESTED IN Onecoin, what percentage of those “x” amount of people (maybe 1/3 …1/5 …or less of the 3.5M falsely claimed) were aware that Onecoin wasn’t an investment?
Perhaps people who INVESTED €50.000, €118.000, €225.000 knew that this money was solely for “education?”
Surely they we’re in their Right mind by thinking, “screw Harvard! Screw Princeton! Screw Pepperdine and Yale! We’re going to “One Academy” for our prestigious education?”
Right?!?!
I’m about 50/50 guessing that Onecoin will again Re-Brand to some new name in the next month …before 2019.
Any guesses on a new name (assuming there’s merit to this hunch)?
@Tim
Being true to Ruja’s original vision:
OneBigAurumGoldCoin
Rumour is that Elizabeth Holmes is going to be the new OneCoin CEO. And they are trying to hire Hannu Kailajärvi as a Chief Tecnology Officer, but he might be too busy proving Einstein wrong.
OneCoin -> OneLife
OneLife -> OneScam?
Okay, maybe too obvious. Starting from the ambitious “OneLife” I think the next “One” needs to be more than “Life”.
“OneNetwork” is the name of one of the shell companies.
“OneWorld” has been used in their looks-like-a-charity initiative.
“OneUniverse” would be still available?
Someone on FB (“Jeff Stryker”) pointed out that Ruja (using the pseudonym “Rou Ja”) seems to like some weird art: NOLINK:https://www.saatchiart.com/account/profile/778613
@Timothy Curry
Please read this!
Copyright by Julien Zerbini 🙂
NOLINK://https://share-your-photo.com/b7a66c3dbf
Julien Zerbini is the main french seller of onecoin, it’s also a liar and a bling bling scumbag.
it’s intersting to note than all of his “motivational” speech are always the same piss flavored bullshit.
If you close your eyes to reality, you invent your own reality:
In addition, the world receives a new design. Made by Ruja with her lipstick:
NOLINK://https://share-your-photo.com/ccefc47ba2
@Tim & Otto
With regards to the name issue (and being serious this time), I think the answer might be right before our eyes if we look closely at onecoinico.io:
“ONE Coin”
“Currency name: ONE”
In the FAQ they write tht ONE is an abbreviation for Onecoin. But definition might suddenly change, just as “OFC” changed from OFC-for-IPO to mean token-in-ICO.
In a moment, ONE can be totally different from OneCoin.
Igor will write on his forum that OneCoin was just an experiment like AurumGoldCoin. The real deal is ONE, which was Ruja’s plan all along.
He personally never believed in OneCoin, and saw the move to ONE coming at least a year ago.
“Smart move by the company, totally expected. I told you to read Sun Tzu’s The Art of War.”
@Semjon
The term ONE is already very controversial and does not enjoy a good reputation. My suggestions would be abbreviations like:
– CSC (ComingSoonCoin)
– RKC (RujaKonstantinCoin)
– BSC (BulgarianShitCoin)
– WRC (WorldReserveCoin)
– CFF (CoinForFools)
– LHC (LastHopeCoin)
– OFC (OriginalFraudCoin)
Perhaps @Otto is more updated on this:
“BETTER, FASTER, MORE INNOVATIVE – THE NEW DEALSHAKER IS HERE!
Not only does it have a new domain – newdealshaker.com/ but it also has a brand new name.
The new DealShaker interactive commerce hub with a whole new vision and fresh designs, will offer many new features to its users.
It is unique due to the fact that it gives users the opportunity to pay for goods and services with a combination of OneCoin cryptocurrency (ONE) and fiat money.
After months of hard work, the developer teams have launched something great, which promises to become the new star on the electronic commerce scene.
The aim – a better user experience, giving more value to merchants and buyers, and also giving them the chance to interact with each other.
You can store your ONEs and your cash in your DealShaker wallet. You can pay for goods and services via PayPal.”
mailchi.mp/2bf336d46fe9/jxkey6m9c9-701365?e=a0e0b3336a
Also the German Audi seller Steven Wagner was in Paris and has brought an important message: 😀
NOLINK://https://share-your-photo.com/46793b08fa
On this photo from Paris he is on the far right. On the far left, the German serial cheater Ralf Paulick appears again, who had disappeared for a long time.
NOLINK://https://share-your-photo.com/2a16ccfde4
@Semjon
Muhammad Adeel claims:
NOLINK://https://share-your-photo.com/d687b28566
Well currently the shop is filled with these:
newdealshaker.com/stores/product/418/microsoft-surface-studio
@WhistleBlowerFin
Denis Murdock will also spread his lies and shameless exaggerations on the 1st and 2nd of December in Thailand:
NOLINK://https://share-your-photo.com/a97538786d
Here someone says the unvarnished truth:
NOLINK://https://share-your-photo.com/fe028d2f71
Awfully brave of Denis to go to Thailand. That’s where Sebastian got picked up and extradited to the US. There are still sealed documents to be unsealed.
Now wouldn’t it be a hoot if Denis traveled all the way to Thailand and gets arrested there instead of the US, and gets sent back to the US under arrest. Talk about poetic justice.
This statistic “MEMBERS BY COUNTRY” was published on Facebook on November 14, 2018. It only shows the ten member-strongest countries. Whether the numbers are current, I can not guarantee.
NOLINK://https://share-your-photo.com/3de9cf19d2
If you did not know it, even idiocy can be increased! The text below this video must come from a mental patient:
NOLINK://https://share-your-photo.com/a620ed48eb
However, it is really shameful if you mount the number plate incorrectly as shown here:
NOLINK://https://share-your-photo.com/66106e7165
The poor madman drinks too much or starts the day with the use of drugs. All the videos from this Thanh OC give the impression of something loose in his brain or controlled by aliens.
I was doing a search and came across our old friend, Joseph, from Asia who was a big OC supporter back in early 2015. In fact he made this prediction in May of 2015, and I quote:
Since then Joseph has disappeared. Would be nice to know how gung ho Joseph is today about OC.
So here we are 3.5 years later and only the major pimps of OC made their millions. The rank and file and starving and wanting to sell whatever OC’s they can at discount.
So much for Joseph’s predictions about all “investors” being millionaires. I bet Igor almost tossed his cookies reading that Joseph said “investing” in OC since he is doing all he can to banish the word on his blog.
So Joseph, if you are still reading here, please do come back and share your thoughts with us. We really, really, really won’t bite if you do.
Here’s another example of the boundless stupidity of most OneCoiner:
NOLINK://https://share-your-photo.com/456b2363c4
Nicu Pandele from Romania is especially proud of this photo. He uses it in his profile on Facebook. I would be ashamed to present myself with this fraudster on the Internet.
NOLINK://https://share-your-photo.com/9eb02d39bc
Yesterday at Deutsche Bank a big raid with 170 officials took place. Allegation: Money laundering on a large scale (311 million euros) in 2016. I
s OneCoin included? After all, the German IMS International Marketing Services GmbH of Manon Hübenthal also had an account with Deutsche Bank in 2016.
Also, the KYC procedure on the new DealShaker you have to pay with 4 euros, not with worthless ONE:
NOLINK://https://share-your-photo.com/2e95d514ad
There are also four different versions, of which only one is free. The others cost 5, 10 or 15 euros per week:
NOLINK://https://share-your-photo.com/21bba25a6f
Many OneCoin idiots advertise that you are protected from inflation with the OneCoin. Here’s a drastic example:
This graphic with the three shopping baskets should illustrate this:
NOLINK://https://share-your-photo.com/7dee6b95be
After all, Ruja himself set in motion a huge inflation when she decided to jump from 2.1 billion coins to 120 billion coins. A look at onecoinsign.com/exchange opens every dreamer’s eyes. Obviously, this information has not arrived in the United Arab Emirates, where these two idiots are based:
NOLINK://https://share-your-photo.com/86dc514728
At NOLINK://www.facebook.com/bmontraste in the meantime every advertisement for the OneCoin scam has been deleted. Their website NOLINK://ocfutureofpayments.com is no longer available. Now the two are obviously happy and satisfied with the evil inflation? 🙂
Melanie – are you serious?
It’s not possible to mount any regular registration plate this way. You can mount it upside down, front side inside – but you cannot make it look like this! …unless you make a video with a front (selfie) mobile camera – it will mirror the scenery (swap sides along y axis).
Even these fat idiots with kind of disorder of their fingers and palms swapped their places. 😉
Switching to selfie camera when the main subject in the scenery is something written – is plain stupid idea, but what can we except from One Coiners?
Keep calm, post less… it’s enough to publish the names of the known scammers and really important milestones and info on occasionally basis (public shame is our mightiest weapon).
Publishing each OneCoin’s fart and making discussion “rich” with ~ 900 post in few months does not make One Coin more obvious scam. It can only divert readers from important facts. And it consumes your (life) time.
@Lynn
NOLINK://https://share-your-photo.com/32a6785707
Has Denis Murdock picked up the latest instructions from Konstantin Ignatov on how to continue the fraud?
Taner Mustafa Ulutepe has been waiting for an offer for his worthless coin scrap for 26 weeks: 🙂
NOLINK://share-your-photo.com/8fdd6ae1ab
Today Taner Mustafa Ulutepe advertises the portal onecoinsign.com by Sergey Ribakov:
NOLINK://https://share-your-photo.com/37d89d8f4d
The BaFin statement was that “Between December 2015 and December 2016, IMS had accepted in total approximately 360 million euros on the basis of the agreement concluded with Onecoin Ltd, Dubai.
Approximately 29 million euros of this remains in the currently frozen accounts.”
360 million minus 29 million equals 331 million. If that is “on a large scale”, then I don’t think there can be very many 300 million launder cases in year 2016?
^ It’s funny the coin transfers in that black market OneCoin exchange are based on fake DealShaker deals, because otherwise you can’t really transfer the coins, unless you sell the whole account with login credentials.
The company knows who is operating this black market exchange which drives these fake dealshaker deals (Sergey Ribakov), but they do nothing and just don’t care lol.
@Otto
The raid continues today. Here is a quote from the German newspaper WELT.de:
Hence my question, if OneCoin was one of these customers.
New scam event in Rio de Janeiro on December 1st and 2nd with “Black Diamond” Mariana Lopez de Waard and four other speakers:
NOLINK://https://share-your-photo.com/aae839e3b2
@Otto
How long did IMS International Marketing Services GmbH have the account at Deutsche Bank? It was a very short period of time, and probably only a few million could be transferred.
@WhistleBlowerFin
Sergey Ribakov offers packages on Facebook, but of course does not mention prices:
NOLINK://share-your-photo.com/bcce01a88a
The OneCoin members are getting younger and younger. 🙁
NOLINK://https://share-your-photo.com/10fd9a37a0
Early is practicing who wants to become a successful cheater? 🙂
So that no misunderstandings arise: No, this is not the baby of Ruja! The photo was posted on Facebook by Quini Amores, a former CONLIGUS cheater who is promoting OneCoin scams today.
Finally a befitting car for the OneCoin millionaires in this world!
NOLINK://https://share-your-photo.com/b0930ecd69
Already a year ago, these infamous lies were spread:
NOLINK://https://share-your-photo.com/f3a40171c5
Source: NOLINK://www.digitalfinancestartup.com
On this page you will find many other positive articles about the OneCoin scam. For example:
Not sure when it was opened but it was closed in August 2016. I think it was only open about 2 months. They went to Deutshe Bank after they closed their bank account with Commerzbank AG in June 2016. So my guess is from early June to August when the bank account was open.
Others may have more definitive dates for when the Deutsche Bank account was opened and closed.
Was able to confirm that the Deutsche Bank Account was opened on June 6, 2016 and closed August 19, 2016.
On another note, The U.K.’s financial regulator has doubled the number of cryptocurrency-related businesses it is inspecting over unlicensed operations, local daily news outlet The Telegraph reported Nov. 26.
Responding to a Freedom of Information request by the publication, the Financial Conduct Authority (FCA) said it was currently eyeing 50 entities which it “suspected” were offering financial services without its permission.
The UK was one of the countries listed in the Multi-National Criminal Investigation into OneCoin that Igor keeps insisting has been closed with OC not being found guilty of anything.
@Mr.Czech
Okay, I understand you. Personally, I also prefer a forum where you can set up many topics. This is much clearer overall.
Unfortunately, my two forums have been closed by lawyers. I would like to install a new forum, but I do not know the technique. The software (phpBB) is free, Igor Krnic also uses it.
Could you help me to install a new forum? Or do you know someone who could do that for me? I pay via PayPal.
Good idea to create a separate forum (blog) to document OneCoin activity in detail. In the end (after the final collapse of OneCoin) there will be a monument (tombstone) of this scam, which can be used to generalise lifecycle of these scams.
I am not familiar with setting up own forum base on phpBB. Shall it be on your own domain?
I run couple of forums based on Google Groups. It’s free, easy to open and manage, and all you have to have is Google Account (free).
You very likely have at least one Google Account, but you can of course open new Google Account connected only with this purpose and not with your personal profile.
Google groups shall be enough for running basic public or private forums with moderation. Pictures can be embedded and files attached to the posts… I think it’s a fundamental functionality you need. Though… the user interface of Google Groups forums is not customisable and not very neat and attractive.
The dream of a new car from Canada, paid with OneCoins, does not seem to come true.
NOLINK://https://share-your-photo.com/345db47a39
The website mentioned in this screenshot still does not exist. But even the telephone number mentioned there is dead.
NOLINK://https://share-your-photo.com/4d4b485bcd
@Mr. Czech
I have not had good experiences with Google. In 2009, together with a friend, I founded the blog cafe4eck.blogspot.com.
The blog still exists, but I do not write there anymore, because Google has regularly deleted individual, critical comments.
Google has repeatedly threatened to completely block the blog.
With a forum on my own domain I would not have these problems.
Free forums like IcyBoards have been closed, probably because of threats from lawyers.
The new DSGVO (data protection basic regulation) is also problematic, because the privacy policy unfortunately also protects the criminals. 🙁
Ex Onecoin Asian Ambassador, Ed Ludbrook, appears to have finally launched a shitcoin of his own:
Ed Ludbrook – Crypto-Strategist added an event.
Yesterday at 12:00 AM ·
Join us for an exclusive evening with globally famous crypto-strategist and multi-million selling author, Ed Ludbrook, where you’ll discover:
– What is really going on in the Digital Asset Community?
– Learn which coins will win in next boom?
– Why Crypto will be $10 trillion industry.
– How to safeguard your financial future.
– Who to trust and why.
Event Venue: The Polish Club in Ashfield
Website: polishclub.net.au/
When you register through the Dacxi event website, you’ll receive 1000 Free DAC Coin.
If you haven’t opened an account with Dacxi Exchange. Here is a link:
NOPE! (redacted)
Once the account is opened, we will credit your account with 1000 DAC Coin as a reward*.
*Terms & Conditions
1. Only one email address is acceptable per person.
2. It may take up to 2 weeks to credit the coins in your exchange account.
3. Dacxi has the right to contact you for future promotions.
We look forward to seeing you there! Spaces are limited so register quick.
Tell your friends!
SOURCE: facebook.com/edludbrook88/
I just wanted to buy a truckload of apples. This is not possible. When I clicked on the link, I was told:
NOLINK://https://share-your-photo.com/eb6aebba1e
Are the apples filled with drugs or why are they offered on a private page? Is it possible to trade weapons on DealShaker? Hidden on a “private page”?
AFAIK, Google has no problem with critical and whistleblowing content. Is it possible that individual comments were deleted by their authors? Or reported by other users as illegal/inappropriate?
But again – on forums and blogs, these issues shall be handled by admins (content owners), or moderators appointed by content owner.
Google review and action is the last resort and Google acts only when the things get hot too much… I was a moderator appointed by Google at some Google forum, so I have a little deeper insight, how the things work here.
That’s not true – unless you host your web pages on your own server (and thus you define the rules). Otherwise (if you host your domain on a server of your service provider) an experienced user can find the way how to contact your service provider and send him a take down notice.
Most of the smaller hosting companies will simply take down the web immediately without any deep research. They do research only if the content provider for the domain (you) complains.
My experience with national hosting provider… I have critical web about unfair practices of some Herbalife dealers (and sceptical about MLM).
One dealer (explicitly named in that blog) sent a take down notice and the blog was switched off on his first attempt. But after one or two explanatory emails between me and admin and small cosmetic and formal changes of the content, the blog was taken online again.
AFAIK, to force Google to act upon some content, this content has to collect more alerts first.
So good luck with choosing suitable hosting service or installing web server on your own hardware…
@Melanie from Germany
I could help you with that. (phpBB)
Where can I contact you to discuss the matter further? 🙂
A forum where all these posts are in a separate thread is a good idea.
@Jens
Please contact me via eMail:
NOLINK://https://share-your-photo.com/2924b02781
Do you speak German?
No I do not speak German. Only a few words 🙂
I have sent you a mail.
A few weeks ago in Uganda a big scam event with Konstantin Ignatov took place. Also involved was an alleged “bishop” (Fred Ntabazi) from Uganda. Maybe the OneCoin scam in Uganda is now being curbed, because this article appeared on December 1st:
Read more on
NOLINK://www.softpower.ug/parliament-passes-motion-to-ban-ponzi-and-pyramid-schemes/?fbclid=IwAR0Z90XaIvZpMFjfKMb9NGuD5rkp6ECAEWu0GpG4xpnWfwV_H7L3vU4dHkk
The strange “bishop” Fred Ntabazi from Uganda on Facebook:
NOLINK://https://share-your-photo.com/51efad73a8
Onecoin Chief Excuse Officer is coming off the rails! Check out this “answer:”
So, as we already suspected …Ruja’s laptop (now in whomever’s possession)?
This investigation is about “fake shares”, where they get tax Back
It is refered to CUM-CUM and EX-Cum.
In this story, you have no shares, but get the 25% tax back on the dividende
Igor now understand the simple system of the OC Warehouse.
100% lokal hashpower means: get a random number, and you only have to check, wether it was used before ore not.
There is no mining needed, just a litte SQL-Database, to store the random numbers.
@Prinz Bernhard
I see it differently. Trigger for the raid on the Deutsche Bank were the so-called Panama Papers. (Volume of original data: 2.6 terabytes, 11.5 million documents, 214.488 shell companies.) They include money laundering, tax evasion, corruption and so on.
Cum-ex transactions involved many banks, including Deutsche Bank. The focus of this raid was on large-scale money laundering.
The damage from cum-ex transactions is estimated at 55 billion euros. However, this is “only” about millions.
Here’s the latest from ONeCoin/OneLife:
Annnnnd …He’s gone!
Steffan Liback, who held one of the highest positions in OLN Cult after taking over The StinkyLiar Brothers ODT “OneDream Team” down-line in May 2017 (which claimed to have members in 60 countries totaling 1.7M – Lol – and earning an alleged $2.5M monthly in dirty money from Onecoin Grand Larceny operations )…HAS OFFICIALLY BAILED OC/ OLN.
Liback’s Facebook became active again for the first time in almost a year, with hints of “something big coming!” Following a snide prediction I was able to throw in his comments over the weekend prior to being blocked (surprising, I know), a Onecoin victim, presumably in his downline, asked,
“Are u still with OneLife?”
To which the serial scammer replied,
“I am still helping the network if that is what you refer too. But NO, I am not taking commission payments anymore. But, if I can help in the OneLife network I will of course do so…”(…blah, blah, blah.)
I’m sure Mr. Lie-Back will see to it that he “helps” his downline recover their losses with …new ones. Let’s see what scam he’s cooked up next (TBD in the coming days?).
Any guesses? Crypto + Trading + Mining + ….God, this is getting old!
“To sell currencies, there must also be the offer, and here we assume that Onecoin will systematically and strategically create this market demand”
So they admit openly that a demand has to be crated, which implies that no real demand exists yet. What will this strategy look like?
The German Audi seller Steven Wagner rows back! He will not deliver any new cars that you can pay 100% with OneCoin.
NOLINK://https://share-your-photo.com/c7f85a84f9
Who or what is the ominous QTCB Group? Nobody is allowed to know this, because the domain registration of October 17, 2018 has been completely anonymised:
NOLINK://https://share-your-photo.com/d00709eb16
The fact is that the German Steven Wagner is an impostor. A fusion, as he calls it, is only possible between companies. However, Steven Wagner operates his “Project Autohaus” as a private person, because he is a full-time employee at a German Audi dealer.
The website qtbcgroup.com does not contain an imprint, only mentions Baku in Azerbaijan and a phone number from the UK:
NOLINK://https://share-your-photo.com/e367d44e04
Even the Bulgarian used car dealer Kralev Cars LTD hides behind a “private page” on the new DealShaker:
NOLINK://https://share-your-photo.com/928a059a2d
Two days ago I was able to call the page, but it did not contain any offers.
Staffan Liback his latest reply on the request why leaving the company:
It’s clear we have another Igor style declaration and war coming soon !
This is how the OneLife train has started.
NOLINK://https://share-your-photo.com/5ae31645c1
Today, this OneLife train looks like this:
NOLINK://https://share-your-photo.com/b3ace23051
(Source for the picture: NOLINK://https://www.hna.de)
Does that look like success? 🙂 For me, this looks like a horror scenario after a top speed ride in the final sinking.
What for sure is true the fact that 9 out of the 10 top income earners once published at the BFH website left the company already.
The believe in the future and the truth was so big that not a billion coins could have kept them there.
The money that didn’t come in anymore create an urgency to go steal elsewhere. Now that more and more of these coin scams are exposed earlier online whatever name they have Dag Das CBG Futurenet…and so on will bring them sooner or later down.
Why can’t these OneCoin scammers just be honest when they leave?
“There’s nobody left to scam and I’m not making any money.”
You can’t steal people’s money through a Ponzi scheme for years and then pretend to be above it all.
I believe they are fearful of retribution from Ruja and company if they told the truth.
All you have to do is look at the statements made by Ed Ludbrook and Pierre Arens when they left and how quickly they sanitized what they originally said.
Does anyone understand French? Which fairy tales are told in this short “interview” of 3 December 2018?
NOLINK://https://share-your-photo.com/7daa7334eb
NOLINK://https://www.youtube.com/watch?v=K6k3lofthM8
Those 2 people in the video are not speaking French directly it has been dubbed in sound because you can for sure see that the lips are not synchronised with the french voice over. So the sound might be added after the recording. Maybe they are French maybe not.
They explain how they got 65.000 views and over 750 requests for the offer on cars they published on the website. One of the guys explained he couldn’t respond to all yet because he was in Bulgaria for 5 days explaing to Konstantin his project and he explains that only within 3 weeks they will be present on Dealshaker.
For the direct sales it will come the next 2-3 months they will try to do their best to speed up the process.
Sales will only start in 1.5 months and all cars 100% ONE but they need to come pick up the cars in Pierrelatte France. Later they will try to organise with other dealers an exchange if cars couldn’t be pick-up in their own country. blablablabla.
This looks to me again a great marketing way to make people enthuastic and buy time as it won’t be done tomorrow or next week.
In the meantime you keep the idiots silent and tell them to bring in more people.
@Scambuster789
Many thanks! I would have liked to buy a new car in France, but on DealShaker I found a fantastic offer from Uganda:
NOLINK://https://share-your-photo.com/bda35130db
Construction year: 2003
Number of previous owners: not specified
Mileage: not specified
A 15 year old used car for only 18,865.08 euros – such special offers can only be found on DealShaker! The engine is probably gilded and Ugandan diamonds are hidden in the glove compartment. 😀
The salesman from Kampala seems to be mentally confused. The offer states:
But in the Terms & Conditions states:
I can buy the same car in Osaka (Japan) for $ 1,749. Inclusive transport to Germany costs only $ 3,196.
NOLINK://https://share-your-photo.com/b16286418d
@Melanie (and others noting ONE purchasing power) – when locating such “bitcoin killer deals,” it would be useful to end these examples with the final conversion rate of ONE to USD or Euro in order to see how close to the dictated price of €26.95 final value is given.
The roadmap on onecoinico.io says:
NOLINK://https://share-your-photo.com/f43a7d6446
So Round 3 should have started yesterday.
The counter on onecoinico.io, however, indicates the following:
NOLINK://https://share-your-photo.com/db54f52504
Will Konstantin win another four weeks? For what?
What is the purpose of this nonsense?
NOLINK://https://share-your-photo.com/d859ff7451
NOLINK://www.youtube.com/watch?v=6uSYPa6RA3w&feature=share
Would someone like to cruise and pay 100% with OneCoin?
NOLINK://https://share-your-photo.com/d629e59ea7
Yesterday the website was still available! Today, however, it only says:
NOLINK://https://share-your-photo.com/0626665fea
A new video uploaded to YouTube yesterday:
NOLINK://https://share-your-photo.com/b0faaf06f8
Of course, the video does not explain how to sell your worthless coin scrap. But with this passage, the OneCoin idiots are obviously to be comforted:
That’s what happens when you do not have your own blockchain. A direct payment (peer-to-peer) from OneCoin idiot A to OneCoin idiot B is not possible. This is “The future of payments” at OneCoin! 😀
Riz Shah, OneLife Diamond, boasts on Facebook:
NOLINK://https://share-your-photo.com/bec04bc69f
At the same time it is announced on Facebook, that the ticket prices for the new scam event in Birmingham have been lowered:
NOLINK://https://share-your-photo.com/7541f50944
“Historically” at OneCoin / OneLife alone is the fact that there has not been a scam of this magnitude in the MLM yet.
Another car that you can not buy: 🙂
NOLINK://https://share-your-photo.com/7df3892b1e
“Normal price”? Truth or infamous lie?
In the price list, a Tesla Model S costs $ 96,000.
This corresponds to 84,610 euros.
7,793 OneCoin correspond to 209,242 euros.
How does the seller from France explain the huge difference of 124,632 euros? For 7,793 OneCoin you can buy two Tesla Model S from a regular dealer – and finance several vacation trips around the world for the remainder of 40,022 euros.
However, we are talking here only about a theoretical model, because you can buy the Tesla Model S on onecars.eu of course not. If you click on the “ACHETER SUR DEALSHAKER” button, you will not be able to order a car there, but will be redirected to a contact form.
NOLINK://https://share-your-photo.com/da7ee82d82
@Melanie from Germany
I realy Like your Posts, Always funny!
But damn, the Fotos of the Cryptoqueen are spooky,she Looks like a tranny…maybe its a men at all?
@Mr yosie locote
Thank you for your recognition. 🙂
Lawyer Björn Strehl will know whom or what he married on 31 December 2010:
NOLINK://https://share-your-photo.com/86344bddd7
Maybe he liked this photo? Ruja, half-lying, whispers: “Want to marry me? I have an IQ over 200 and can excellently lie and cheat. What more do you want?”
NOLINK://https://share-your-photo.com/d36a18dfc4
@Melanie from Germany
Oh my god, the Foto is awefull…it will haunt me in my Dreams…
The Queen of cheap bulgarian streetprostitutes!
OneCoin accounts are constantly being offered for purchase on Facebook. Here is an offer with big numbers:
NOLINK://https://share-your-photo.com/086822fd89
When OneCoin really goes public, we may hear about it in January 2019. Or a year later. Rumors do not replace facts.
Oz struggles with the idiotic GDPR and extends his blog by accepting cookies. That is exemplary!
Apparently, at the headquarters of the OneCoin fraud in Sofia, they have never heard of the existence of the GDPR. The websites…
onecoin.eu / onelife.eu / oneacademy.eu
…also use cookies, but that is not mentioned anywhere. And what does Igor Krnic write about this topic?
NOLINK://https://share-your-photo.com/477269d039
At the moment there is a DealShaker Expo in Birmingham. There you can supposedly buy new cars, paid 100% with OneCoins.
NOLINK://https://share-your-photo.com/7e6610c736
In the DEAL SPECIFIC TERMS & CONDITIONS it says:
If the contract does not materialize, the buyer still has to pay 150 ONE:
This will be an expensive signature. 4,027.50 euros for a sheet of paper. 😀
NOLINK://https://share-your-photo.com/e8040c74c2
He who believes it will be blessed. If you do not believe it, you will also go to heaven. 😀
Since I can not stand the damp climate in Panama, I buy my properties at the DealShaker Expo in Birmingham. And the new furniture, of course – all 100% paid with OneCoin.
NOLINK://https://share-your-photo.com/9534f348d8
Surprising: even Igor does not believe in a real working Blockchain.
—— from the Forum —-
Answer of Igor:
Of course Krnic believes. That’s all these OneCoin idiots can do – believe.. Cause there’s nothing that can be proven. Which is contrary to all principles of cryptocurrencies and blockchain technology.
And that’s why this scam is called a cult, because pretty much everything is belief based and given from “above”, starting from the coin “price”.
You mean “unsurprising”?
It’s about the “blockchain explorer” shown in the OneCoin back office – the explorer that currently says the next block has been mined for 17 days 9 hours and 43 minutes.
Originally this web page was promoted by the OneCoin promoters as a solid evidence that the blockchain exists as well as a way to see all member transactions in the blockchain. A selling point to the investors and a reason to believe the system is genuine.
When it became obvious that the blockchain explorer simply cannot be showing the true blockchain data, the message changed and all of a sudden “of course” it was not showing all of the data and “naturally” it was not real-time.
Except that those were not “of course” or “natural” before. 😉
@Otto – HERE we see that Onecoin transactions are NOT recorded either on the blockchain, OR in “real time.” There really is no additional info required to uncover the fraud, in its most simple form.
youtube.com/watch?v=1R_19XFvKYI&feature=youtu.be&fbclid=IwAR3f0S19iQucwBnyZOBlqdaRq7PjC7txlXakNGh-2oHPKadLZt96xSTfxuY
This evidence is both incontrovertible, and can be replicated by any Onecoin VICTIM in their own back-office.
@Otto
Not only OneCoin promoters and leaders claimed Backoffice blockchain explorer was a solid evidence. Ruja directly said “the blockchain is in the BackOffice”.
After it was shown the “blockchain data” in BackOffice is total bullshit, the explanations started to flow via Igor Krnic. :X
Here’s Ruja saying the blockchain is in the BackOffice actually.
youtube.com/watch?v=0Q45yD1b5yk&t=1364
Here Ruja is saying: “so what you can see in the blockchain is all the transaction that are done by the OneCoin members. So if somebody trades a coin, if somebody transfers a coin to another one, you see this transaction in the blockchain, and all transactions are in this blockchain”.
youtube.com/watch?v=tyTWsSB2qN4&t=117
^ None of those claims by Ruja are true of course, because OneCoin members can’t in reality see any of their transactions in any blockchain. Ruja lies. Period.
Why Ruja claims those things, which are clearly not true? Because Ruja and the company can get away with it, cause most members are ignorant casual people and stupid enough not to care.
And of course the members have been indoctrinated to accept all the bullshit explanations by the MLM leaders and liars like the Chief Excuse Officer Igor Krnic. The members simply don’t have enough knowledge to question these things, instead “you have to believe”.
For me, I don´t understand, why they do not at even programm a working live blockchain, I would to this in less than a weekend, this is not real a difficult job.
Mining can still be a random number generator.
@Prinz Bernhard – Blockchains are not “retroactive.”
They can’t go back in time.
@Timothy Curry:
When you have no copy of the lokal blockchain, you can produce any blockchain out of the existing SQL-Database, even back in time.
This is the “good” concept of a central system, every thing in a single local blockchain, no copies, no verify nothing.
You can generate everything out of the SQL-Database. Takes not more time then a weekend.
Mining: there is no mining in the sense of bitcoin, this is just random numbers out of the box.
php.net/manual/de/function.rand.php
I agree with Prinz Bernhard. Since onecoin’s blockchain has no need to be compatible with any other or even to be specified in detail, it could provide a complete and consistent view of the transactions from the SQL database, as long as those transactions are available.
Building this blockchain, or even just a web interface to the transaction database presented as a blockchain explorer, would be a sensible strategy that wouldn’t prove anything, but could make the company’s claims a little more defensible to a public of more sophisticated observers.
Apparently they chose to only target morons.
Madness! OneCoin dominates the cryptocurrency market!
NOLINK://https://share-your-photo.com/71e1381609
If someone is still looking for a suitable Christmas present – how about a worthless OneCoin account? 😀 Here are two current offers on Facebook (92,000 and 82,931 coins):
NOLINK://https://share-your-photo.com/bec58acda9
NOLINK://https://share-your-photo.com/d5d1542e1c
@ Melanie from Germany,
In the past debate forum, the ‘chief excuse officer’ has asked. Who will buy onecoin?
Surely you mean the kleptocurrency market… 😉
@K. Chang
Do you have doubts? Do you need proofs? Take a look at this:
NOLINK://https://share-your-photo.com/9af8cc337c
Donald Trump would say now, these are fake news… 🙂
NOLINK://https://share-your-photo.com/a69a829574
It is not worth calling this offer on DealShaker, because allegedly this Hyundai has already been sold. Whether the buyer really gets the car, can be doubted, because in the conditions it says:
NOLINK://https://share-your-photo.com/e6bde37c63
<SARCASM>
Oh that’s BS! OneCoin blockchain can do that! Take e.g. the block 1071014 that was just “mined”, it is dated 17 days to the past:
NOLINK://i.imgur.com/9SFMb8V.png
</SARCASM>
(Yet another proof that OneCoin does not have a legitimate blockchain at all.)
Does anyone know these three people from Norway?
NOLINK://https://share-your-photo.com/08a76577b3
On their website onedealer.no you can allegedly buy cars, properties and residentials. You pay 90% with OneCoins and 10% in Euro.
NOLINK://https://share-your-photo.com/93028dcbdb
@Melanie
What is a proper price for Audi A7 Sportback 3.0TDI quattro S-Tronic 245-S LINE Coupe, driven 65 400km, 2011 model?
That shop asks for 41 325 euros and I take it that the Onecoins will be paid on top of that.
@Otto
I had a similar thought. The statement “Cars (90/10)” could also mean:
90% have to be paid in Euro and 10% in ONE.
Legally and commercially this is not correct!
15000 to 30000 Euros depending on optional packages.
NOLINKs://www.autoscout24.com/lst/audi/a7?sort=price&desc=0&ustate=N%2CU&atype=C
I’m buying this mansion in Spain for 4,914,000 euros.
NOLINK://https://share-your-photo.com/816583ec79
The object description was not written as text, but as graphics!
NOLINK://https://share-your-photo.com/68d960c21f
A typical trick of scammers. This prevents the text from being saved and displayed on the search engines. In my opinion, very dubious!
One dealer is selling this same mansion for 1,1 million, this site 1,4:
NOLINK://http://www.gransolproperties.com/luxury-villa-in-javea-xabia-las-laderas-with-swimming-pool-gb454882.html
So apparently their prices are VERY competitive
I just noticed that the pricing system of the new DealShaker has changed, and it’s a utter mess. Look at this deal:
newdealshaker.com/stores/product/1033/brand-new-kangen-k8-machine-best-price-real-product-ready-for-delivery
It says the price is 6000 €. If you add the product to cart, it says that the grand total is 3 € + 111.73 ONE for checkout.
Thank you Dr. Ruja!
@Semjon
Noteworthy are the extremely low shipping costs of 200 euros for the product, which weighs only 9 kg.
NOLINK://https://share-your-photo.com/16fef0b88c
If I send a parcel of up to 10 kg from Germany to Australia, it costs only 63 Euro. But OneCoin millionaires do not need to pay attention to such trifles. 🙂
NOLINK://https://share-your-photo.com/55bac21f00
Rashid Khan from Pakistan owns 1,840 OneCoins. He wants to sell now.
NOLINK://https://share-your-photo.com/21004e923d
Questions about the price are usually not answered publicly on Facebook. Rashid Khan makes an exception. He does not charge 26.95 euros per coin, but only 3 euros.
NOLINK://https://share-your-photo.com/8be53b13c6
Wow! That’s a discount of 89%! Who buys now, saves 44,068 euros. 😀
In general, I notice that many sales offers come from Pakistan. Is this a reaction to Muhammad Zafar’s latest activities with BitherCash?
@ Melanie from Germany,
Since the didtate price is at Euro26.95 now,Dr Ruja will be very stupld if she will not buy back those offer coins.Am I right?
@Henry, well the true value is “0.00”.
Supplement to comment #1006
German Audi seller Steven Wagner is already rowing back!
NOLINK://https://share-your-photo.com/2167ed1871
OneCoin(er) lies, cheats and fakes. This photo of the King of Saudi Arabia is a fake, edited with Photoshop:
NOLINK://https://share-your-photo.com/a4df713496
Here is the photo in the original, which has been published in many newspapers – for example on
NOLINK://news.okezone.com/read/2017/03/02/337/1632643/raja-salman-rupanya-megawati-dan-puan-bertemu-Baginda-raja-di-istana-merdeka
NOLINK://https://share-your-photo.com/bace424fb5
What has changed at OneCoin / OneLife since October 7, 2017? Here is a short but very interesting overview: 😀
NOLINK://http://i.imgur.com/qEmoK2l.jpg
Has the IT department in Sofia completely terminated? If you want to find out about upcoming events on onelifeevents.eu, you will be shown:
NOLINK://https://share-your-photo.com/59a4ece4b6
Extremely informative! Every IMA will be pleased about the actuality of this site and recommend it to others. The transparency of OneCoin / OneLife, which is so highly praised by Ruja, is confirmed again here. 🙂
Extremely short video from December 14, 2018:
NOLINK://https://share-your-photo.com/d8dc2ccaca
Much more interesting is this comment under the video:
NOLINK://youtube.com/watch?v=vTrtjoSBmZ0&feature=share
This new Duncan Arthur webinar is an embodiment of OneCoin quality:
youtube.com/watch?v=Yr_TLzpRJz4
People tried to ask him some questions but because he was in Sofia, the quality of the connection was so bad that most of his answers were garbled.
The new DS is apparently ridden with problems. New DS doesn’t update the correct amounts of coins an euros from OneLife wallet.
Duncan says that “It’s more than an issue, it’s more than a glitch. Platforms don’t speak to each other at the moment. Everything that happens [is due to?] manual intervention”. Quite something! They will need divine intervention to make things work.
It’s also laughable that the deals from old DS cannot be automatically transfered to new one.
He gets pretty frustrated and agitated when somebody asked him about coin exchange. “I’m being told that the coin goes to exhange on 8th of January. …. It will be taken care of, it’s a promise from the corporate.”
Duncan talked about upcoming “Coinb2b” or Coinbnb, which is like airbnb but for coins”(?)…
@Semjon
Yeah merchants and deals can’t be transferred automatically. At the moment in the NewDealShaker there’s 300 merchants who have registered a store, offering 333 products. But some of the merchants and prodcts are still demos.
The new DealShaker platform is very slow. Duncan is blaming on the video “haters” for doing DDoS attacks. Yeah sure..
Promoters claim that thousands of cars are being sold in DealShaker expos. Correction… Car coupons are exchanged to worthless OneCoins. This is the second time Duncan assures on a video that the exchange opens on 8th January. No it won’t open.
This is going to be very funny to see how they explain in the end of January and later, that there’s still no exchange.
Oh dear! Out of the frying pan and into the fire:
“Bride in Uganda accepts dowry in 100% Onecoin!”
NOLINK://https://www.youtube.com/watch?v=GL2Bij8Ii5o
I want to laugh, but I feel guilty at doing so, even at really stupid people(‘s misfortune).
Can the Authorities finally just call “lights out” and please pull the plug on the ONE “blockchain” computer chord already??? Pretend like you tripped over it or something or spilled coffee in it, at least?
Or, are they just letting this obvious Onecoin Darwin Awards Ceremony play out to thin the heard?
SMH!
@WhistleBlowerFin
Obviously, so-called “leaders” in Vietnam before 8 October 2018 have spread the message that after 8 October it is possible to sell and trade coins. That was wrong information, of course. This led to the following reaction:
NOLINK://https://share-your-photo.com/a9b66a47b7
@WhistleBlowerFin
Are you too stupid to buy a new car on Dealshaker? 🙂 Then rent one!
Please note: In addition to the 1,197 ONE (32,139 euros), there are other costs:
If you do not live in Italy, you must first buy an Italian passport. Or marry an Italian woman. Or adopt an Italian child. For extraordinary offers like this you have to make small sacrifices… 😀
NOLINK://https://share-your-photo.com/0bfadc29f0
What is this strange room? A former factory building or garage? This looks like bare walls and curtains and as a snack corn on the cob are served?
NOLINK://https://share-your-photo.com/1e9afa0b43
This photo was posted two hours ago in a closed Facebook group, without any text. I’m not sure, but the man in front could be Christi Calina (“Diamond” and GLG member) from Romania.
If someone wants to buy and pay gold or other precious metals with OneCoins – that too should be supposedly possible shortly. Here is a quote from the same Facebook group:
NOLINK://https://share-your-photo.com/90d2de3256
I’m sure all OneCoiner would like to exchange their worthless coins for real gold. Even if the gold bars were filled with hot air inside. 😀
@ Melanie from Germany
The Foto with the Strange room could possible be the famous cellar of Fritzl here from Austria…hahaha (black Humor).
A OneCoin millionaire in his daily work:
NOLINK://https://share-your-photo.com/7d5e1ed5ee
Of course he is also armed:
NOLINK://https://share-your-photo.com/be1cb0bd7e
Here he complains about the terrible support of OneCoin:
NOLINK://https://share-your-photo.com/b2fefb6a69
His friends on Facebook are also evil scammers:
Udo Carsten Deppisch – Staffan Liback – Jose Gordo – Habib Zahid – Muhammad Adeel – Mihail Petrovic – Sergey Ribakov – Dusan Torbica – Nikola Korbar – Daniel Winter-Holzinger – Alfred Tschuggmall and many other OneCoin scammers. Inclusive Igor Krnic.
His full name: Abilbek Narembayev from Kazakhstan
Can someone determine who owns this aircraft? Is the lettering on the turbine comparable to a license plate?
NOLINK://https://share-your-photo.com/6ebf78bb21
The lettering “VIPGlobal.One” is a fake and was later added to the photo.
The picture appeared years ago. When the OneCoin/OneLife rip-off went really well!
At that time, however, without the badly made inscription in front.
I have a question about DealShaker. Can one manipulate purchases there? Here, allegedly 950 coupons were sold – in 2017.
NOLINK://https://share-your-photo.com/277583f26f
Theoretically, I could hire someone to buy coupons to supplement the statistics. Just a thought, but the topic has been occupying me for a while.
Another offer from the same merchant: 400 coupons available, 0 coupon sold.
NOLINK://https://share-your-photo.com/f29414fe76
Here only one of 19 coupons was sold:
NOLINK://https://share-your-photo.com/ab0af6b78d
The merchant Odamaki2xServices is a very diligent provider on DealShaker. But when I visit the page…
NOLINK://www.dealshaker.com/en/merchant/FUrxP*D1gn8jyddmvENyXBQGtvlcKbuJesu9l-iXfok~/top-selling
…it just says:
Which proves definitively that on DealShaker any number or indication can be manipulated or faked. With or without support from Sofia?
Already knew?
NOLINK://https://share-your-photo.com/82005296e6
Is this only true in India? 😀
Although all transactions in Germany have been banned by BaFin, OneCoin / OneLife is again hosting events in Germany. Now under the title:
NOLINK://https://share-your-photo.com/a6db32306a
Of course, these workshops are not free either. 41.65 euros must be paid in cash, including VAT, plus a coupon on DealShaker for 2.56 ONE.
NOLINK://https://share-your-photo.com/f840245a28
I just realized that when Duncan Arthur said that the OneLife wallet and the new DealShaker platforms aren’t really speaking to each other, he indirectly admitted that OneCoin has no blockchain.
If they are not connected and the amounts are wrong anyway, how on earth can a e-commerce platform partly based on data from supposed blockchain be possible?
Strange! And annoying! Whenever I want to buy a new car on newdealshaker.com I’m blocked from access to the page:
NOLINK://https://share-your-photo.com/87c8612e65
Do I have to go directly to Azerbaijan with my old car and order the new car there personally? 🙁
The website qtbcgroup.com describes how to proceed:
Okay, how to click on a link, even I understand as a technically inexperienced woman. But what is the result? Please convince yourself:
NOLINK://https://share-your-photo.com/9e50c802c0
Please help me! What am I doing wrong?
Not much from ignor krnic lately. Do you think he has finally realised the game is up??
@Toddy
No, Igor will stay on board to the end. Too big ego, and he is this “go to” character when members are losing hope. He is the guy who comes up with excuses, when no one else can.
It’s interesting to see what will Igor say about Denis “84000% Return without Risk” Murdock, now that someone brought him up in discussion. Previously Igor deleted a thread after finding out Murdock is making absolutely blatant allegation and profits and talking about investments.
web.archive.org/web/20180607155725/http://onecoin-debate.com/viewtopic.php?f=2&t=4185&start=20
Now some joker is talking on Igor’s forum how Murdock is working with the OneCoin corporate to bring OneLife to USA. Yeeah, right. I laughed out laud reading that. 😀
We saw earier Murdock in Sofia with Konstantin, and Murdock recently attended DS expos in both Canada and Thailand.
So, it will be interesting to see if Igor reacts to this in any way, or will he keep quite.
Murdock recently removed the “84000% Return without Risk” claim from this website though, but you can still see it in WebArchive:
web.archive.org/web/20180607131822/https://www.empowerglobalgroup.com/coop.html
His quora messages still have these investment “advices” and profit promises:
quora.com/If-you-had-50-000-to-invest-in-cryptocurrency-how-would-you-distribute-it-in-your-portfolio
What’s he going to say ?
It’s not like there’s a lot of exciting new information on which to report.
The man is in Christmas holiday.
@WhistleBlowerFin
Denis Murdock in the new DealShaker:
NOLINK://https://share-your-photo.com/821a4250ef
Denis Murdock now offers homes in the US via email.
NOLINK://https://share-your-photo.com/cde4a7ba70
NOLINK://https://share-your-photo.com/05156a69a8
What is a shitstorm? Google explains it to me like this:
Thus I can confirm that in a German-speaking, closed Facebook group on 17 December a shitstorm has begun. Although critical comments are banned in this group, a dissatisfied OneCoiner has sparked a discussion that is very fierce.
Like in any other closed Facebook group for OneCoin, the critics are heavily attacked, although their arguments are 100% accurate.
I will continue to watch the discussion. Current status: The critical comments are justified! Those who continue to vigorously defend the OneCoin scam work with nonsense comments like:
NOLINK://https://share-your-photo.com/bedd3b3f63
Supplement to comment #1076
Since I can not reach the ominous car dealer QTBCGROUP from Azerbaijan via DealShaker, I wrote to them directly yesterday. Here are the automatically sent email as an answer:
NOLINK://https://share-your-photo.com/36cb1f4f04
The strange business of QTBCGROUP allegedly based in Baku (Azerbaijan). Are there idiots who paid 3,900 euros for this voucher?
NOLINK://https://share-your-photo.com/eeefda12ad
This reminds me spontaneously of the dubious used car dealer Kralev Cars Ltd. from Bulgaria, who launched a similar action on DealShaker in July 2018.
NOLINK://https://share-your-photo.com/1c235fba05
@eagle eye
I have found the plane (XA-SOR), but the owner is unfortunately not specified:
NOLINK://https://share-your-photo.com/e0acf086c3
Since the now arrested Sebastian Greenwood was seen more often with this aircraft, he could be the owner.
Does anyone know the Italian portal agenpress.it? Is this a newspaper or a Ruja paid advertising agency? The question must be allowed when reading this article of 8 October 2018:
The very extensive article then reads like Ruja’s infamous “press releases” from the past. Here is just one example:
The article ends with these statements:
Obviously, this portal is corrupt or purchasable because it asks for “donations” on a subpage:
In any case, I am glad that this advertisement for the OneCoin scam was only read or clicked by 4,841 Italians.
NOLINK://https://share-your-photo.com/da94bec6f4
What Is the name of the group?
I like to join
Agempress is not a real newspaper, to describe them their own words are probably the best:
What translated means”
Translation: “We’re shit and we know we are.”
@Prinz Bernhard
NOLINK://https://share-your-photo.com/96e278dd36
Message from Muhammad Adeel:
Nobody should be annoyed or surprised! The same procedure as anytime with OneCoin / OneLife: “Coming soon!” 😀
NOLINK://share-your-photo.com/db71ad3c17
How to advertise on the moon for the OneCoin scam:
NOLINK://https://share-your-photo.com/f84a806f9f
Ruja strictly forbids this statement!
NOLINK://https://share-your-photo.com/7ffa1c642a
Probably the OneCoin idiots can not read or they are too stupid to understand simple phrases like this. 🙂
OneCoin millionaires like Denis Murdock are also working hard on Christmas Eve for the OneCoin scam:
NOLINK://https://share-your-photo.com/e4d82ff256
@Melanie from Germany
>I have found the plane (XA-SOR), but the owner is unfortunately not specified.
NOLINK://Https://flightaware.com/live/flight/XASOR
shows recent activity of the plane.
XA = Mexico
XA-SOR is a private charter plane that belongs to Aeropycsa of Mexico.
NOLINK://airportdatabase.net/mexico/aeropycsa-airline_A652.html
@Melanie, Wkisti & K.Chang – good team work.
Now if we can only get OLN’s local “sticker guy” (or photoshop guy) to talk. Lol.
@wkisti
Very interesting, thank you. In June 2016, Sebastian Greenwood allegedly flew with this plane to Medellin in Colombia.
What did he want there? Buy drugs? Pablo Escobar is dead, but Medellin is still ruled by the local drug cartel.
NOLINK://https://share-your-photo.com/2822b25dd8
Incidentally, in the video, Sebastian Greenwood also mentions an office in Mexico City.
NOLINK://https://www.youtube.com/watch?v=HWJFsUyxw_c
A commentator doubts that the flight actually took place:
Is anyone interested in a OneCoin account with 6,847.84 ONE? The price is still unrealistic, but maybe the seller is still trading with him? 😀
NOLINK://https://share-your-photo.com/f56e8e4f31
In case of a successful trade, please transfer 25% agency commission to one of my bank accounts in Switzerland.
Does the next scam start here?
NOLINK://https://share-your-photo.com/8f77f00f8f
The domain solmaxglobal.club was registered on December 1, 2018.
Who owns the “big company” IGNITER100 UK LTD? Founder and director is Abdulrehman Sandhu. The big company was founded on August 17, 2017, with a massive equity of £ 100. The German Florian Krüger was also named as a director in May 2018.
At 1:11 we see out from the plane. The engines are below the wings. If you watch the part where they walk in to the plane and where they walk out from the plane (both at the same place at the same airport?), the plane has engines at its rear.
@Otto
The entire video was a cheap show, a bad drama. It was correct what the commentator wrote:
This question can only be answered with: YES!
Again and again it is lured that one can buy cars with the OneCoin. Obviously, OneCoin millionaires do not buy Audi, BMW or Mercedes in Azerbaijan. No, here is advertised with a Bentley. Does one have to pick it up personally in Baku or is it delivered free domicile?
NOLINK://https://share-your-photo.com/c4fc31679e
In Bangladesh, the home of Md Moniruzzaman, most people would be happy to afford a Tata Nano from India.
NOLINK://https://share-your-photo.com/a8716521cc
It seems that a new onecoin intern scam is happening in Italy. Cars are offered for long term rent (4 years) and you can pay 100% onecoin.
Ok, if you look at the price for the rent it would be more convenient to buy the car (a citroen C3 costs between 12.00 and 18.000€ the rent for 4 years would cost 32.000€!) but that’s simply the ordinary dealshitter philosophy.
The most interesting thing is that you have to pay 1200 real euros for all the paperwork. Sounds good, right?
dealshaker.com/en/deal/noleggio-a-lungo-termine-auto-48-mesi-solo-per-mercato-italia-100-onecoin/EV6y4TnRn0fdb1a*nsjwoEvArdpTWUb2QaSPd*DZrtw~?fbclid=IwAR2TIEN_Wun2qp-M2McPjfiPdKxvF3DyI6QnXQlP3enzVTRCV_CGvbHRfsQ
But it seems that you should be able even to buy cars with the same method. Luca Miatton the most active Italian Onecoin leader has posted some videos on his facebook page where he claims that you can buy and configure your car paying 100% in onecoin:
facebook.com/luca.miatton/videos/2314660985233279/?t=2203 here he says that you have to pay 3900 real euros of prepayment, and than you can get cars for 60.000€ completely in onecoin. But it seems that this deal isn’t available on dealshitter, probably because in the recent past they made the well known bad experiences with cars there.
It is a great honor for me to introduce you to a new OneCoin multimillionaire:
NOLINK://https://share-your-photo.com/1db88712cc
@Santa Maria
In comment #1065, I have already drawn attention to this dubious offer.
Petar Kralev of Kralev Cars Ltd. from Bulgaria held several events in Italy last summer. It looked like he wanted to expand to Italy. Maybe he is involved in this business?
Oh I missed that one. I don’t know who are the partners of Miatton in this story, for sure there are some other Italians.
Denis Murdock spreads rumors again, no facts!
Denis Murdock was recently in the headquarters of the OneCoin scam in Sofia and met there the con-man Konstantin Ignatov. Why did not he ask the crook Konstantin?
NOLINK://https://share-your-photo.com/837b25781f
If a Nobel Prize were awarded to idiots – Martin Mayer would receive one each year! Anyone who watches his idiotic videos on YouTube will agree.
Here are the links to the last two videos:
NOLINK://https://share-your-photo.com/66cd117e71
NOLINK://https://share-your-photo.com/da7ce1e1e9
NOLINK://https://share-your-photo.com/506212101b
It is not worth to pay attention to, especially since they are presented in German. But if someone wants to puke, he should treat himself to this dubious “enjoyment”. 😀
@ Melanie from Germany,
Please send a Link for the Videos…
No need anymore, have found His whole Videos…
This Guy is a Clown, very funny to whatch!
Some observations from the video. At the 27 second mark, the side of the plane says OneCoin, but at 29 seconds it changes to OneLife. This is an Executive Jet but not sure of the manufacturer. The interior shots are from an executive jet. At the 41 second mark the ground shot of the airplane in flight is a commercial airliner as the engines are below the wings. The cockpit shot is the control panel for an executive jet. The cockpit shot of the aircraft going down the runway is simply a shot of the airplane taxiing, not taking off.
At the 49 second mark it is a commercial airliner flying in the video not an executive jet and has no, none, zilch, nada, nil, zero OneLife logo’s anywhere on the plane.
A pilot never rests his arm over the throttle controls of a plane in flight. Nice theatrics, but just that theatrics.
It is highly questionable if this plane ever left the ground, and this was a poor splice job trying to convince people the trip was made.
One thing is for sure, this is not the flight that Sebastian took from Thailand to the US.
@Mr yosie locote
The crazy guy has recently claimed that OneCoin goes public in Asia and that you can then buy stocks – payable with OneCoins. His website is continuum.li.
Does anyone have interest in a BISU T3 for only 37,400 euros?
In China, the basic model costs 74,900 YUAN. That corresponds to 9,500 euros.
Technical data such as capacity, engine power, consumption to 100 km, warranty conditions, standard equipment etc. you have to look for yourself on the Internet. That’s perfect customer service!
NOLINK://https://share-your-photo.com/938019329f
In Germany nobody will buy a BISU, because there are no dealers, no workshops and therefore no spare parts.
Four swindlers laugh at the dupes. On the left Pascal-Rene Andre from the fraud portal giftcodefactory.com from Austria, who has become very fat.
NOLINK://https://share-your-photo.com/af865f08fd
Can anyone find out if there is an LLC Tessera registered in Georgia?
NOLINK://https://share-your-photo.com/f9212acc87
This reminds me of one of the first bank accounts (JSC Capital Bank) of Ruja, which was also in Georgia.
Pascal the Clown, when fat pimps wear blue tuxedos…
Looks real ridiculous, who makes Business with people that Look Like this?
Habib Zahid is making a career. Since when is he a Global Master Distributor?
NOLINK://https://share-your-photo.com/d496a39937
Someone had to assume the role since Sebastian got busted, so he just took it upon hi8mself to fill that role. After all there is no-one in charge in Sofia to stop him.
Also for the upcoming event on January 12, 2019 in Singapore the tickets have to be paid with real money, not with worthless OneCoins.
80 euros for what? A mixture of a lot of hot air, numerous lies and unsustainable promises. Did I forget something important? Oh yes, the visions, of course! Stupid question: what can I buy for visions?
NOLINK://https://share-your-photo.com/5ff0385ca7
A new video from the severely mentally handicapped Martin Mayer:
NOLINK://https://share-your-photo.com/8711635907
NOLINK://https://youtu.be/0VsB6jj374A?fbclid=IwAR3ZbGSzMM55EYf2jRJ1FqEagLYP2G3KOnnFq4TklN2CfXM5e7dfnYocT3M
Stay tuned for the successful public listing of OneCoin during the year 2019. This message currently appears in the onelife back-office.
Promises => Delays => Confusion => Promises => Delays => Confusion => Promises ….. in an endless circle to keep the Ponzis happy.
Being publicly traded was once a benchmark for legitimacy (2-3 years ago). That was before the dime-a-dozen scam friendly exchanges rolled out.
These days getting publicly listed is just an exit-scam.
We gave you a cryptocurrency and you can publicly trade it, it’s not our fault nobody wants it.
PS. Thanks for your money and sorry for your loss.
@Oz – Onecoin is the bane of all of REAL cryptocurrency, because it isn’t.
Onecoin carries such a stigma throughout the entire crypto community, that listing it on ANY exchange would be the death knoll of said exchange (and due to the FACT that it doesn’t even have a blockchain, it is simply impossible to transact, anyway).
We are 2 weeks away from Onecoin’s reported next (delay, obviously).
Perhaps Xcoinx arises? Just figure a repeat of years past, and lite activity due to the VICTIM’S “Mandatory Account.”
Frankly, I don’t even think that will be enabled.
Onecoin scammer, Pehr Karlsson, had his dreams curated, apparently:
NOLINK: smp.se/vaxjo/hogtflygande-planer-slutade-med-kraschlandning/
unfortunate “Pay Wall”. Can anyone help with this?
Supplement to comment #1119:
In the above video, at 11:40, there is a statement that is actually true:
Even a blind chicken sometimes finds a grain. 😀
That was promised weeks ago regarding the new KYC procedure:
NOLINK://https://share-your-photo.com/ad8baaa48f
And what does the reality look like? Here are just two complaints from many:
A woman is looking for a professional to help her re-enter her KYC data. The so-called “support” does not work, of course, because she writes:
NOLINK://https://share-your-photo.com/7ee39cf57f
When do 3.5 million OneCoin idiots realize that OneCoin is not a cryptocurrency, but a gamble? A few win, all others lose everything.
When I clicked on the link and translated it into English I got this:
@Melanie
No, OneCoin is not a gamble. In gambling everyone has equal chance to win (save for the house that always wins). In OneCoin the first to arrive feast with the money of those who come after them. Only way those who arrived late could win is to lure in someone who arrives even later.
It’s a pyramid scheme (or a Ponzi scheme, if you look at the promise of the coin). By definition.
@Otto
OneCoin millionaires do not need to compare prices. They buy everything, even overpriced mansions in Spain!
NOLINK://https://share-your-photo.com/f54a593e23
Who buys the last mansion? Who is faster? You or I?
A new approach to get fresh money
May be, 3 Mio. OneCoiners pay about 10€ average, gives 30 Mio.€ extra bonus just for a poorly programmed shop. (which can be purchased for 200€ and set up on a weekend)
@Lyndell – RE: # 1126
Title: “High Flying Plans End Up Crash Landing” (for scammer Pehr Karlsson)
Try this link: http://www.smp.se/vaxjo/hogtflygande-planer-slutade-med-kraschlandning/
(Looks like it was moved. Unfortunately still hidden behind pay wall)
Normal people have celebrated Christmas festive. Mentally handicapped OneCoin idiots like Martin Mayer of course had no reason to celebrate. So Martin Mayer uploaded an ancient video with Ruja on YouTube on the second Christmas day. That was more important! 🙂
NOLINK://https://share-your-photo.com/a65b05c8fa
Was Ruja pregnant in January 2016? Or did she have a lot of hot air in her stomach?
if anybody ask you (especially Melanie) who’s the onecoin CEO, you know a picture is better than a very long speech 🙂
Konstantin “Selfie” Ignatov
giphy.com/gifs/l1tVRTrDcSL7y3J269
@ Vladof
Fantastic! You have sweetened the gloomy day for me. 😀 But I have the following question: Who is the real CEO? The tattooed creature or the cute dog?
Mario Kuzminović has bought a voucher for 3,900 euros (145.25 ONE) and now hopes that the QTBC Group from Baku in Azerbaijan will eventually provide him with a car.
NOLINK://https://share-your-photo.com/2eaaddd87d
Could it be that this ominous car dealer is hiding in the UK? The phone number is not from Azerbaijan, but from Great Britain.
The website qtbcgroup.com has, as usual in fraud circles, only marginal data. Reputable companies also name a traceable address and a phone number from Baku, as long as the “company” is actually located there.
Anyone who has not learned at school today proudly presents their worthless OneAcademy certificates on Facebook:
NOLINK://https://share-your-photo.com/335d936a01
The Germans Ulrich Weps and his brother Frank Weps have been pushing the OneCoin scam since at least 2015. You could call them dumbheads or idiots. Obviously, Frank Weps does not consider himself an idiot, because he posts on Facebook on April 24, 2018:
NOLINK://https://share-your-photo.com/baa1048d48
Oh dear, Frank Weps, I’m sorry. You will never be able to lead a stress-free life. I think I do not have to justify that anymore, right?
A forum board in Thailand frequently contains posts warning about Onecoin and it’s fraudsters.
While Google translation lacks clarity, from what I can make out, it the following and most recent post seems to me to indicate the possibility of foul play carried out by a Onecoin promoter’s down line on the promoter, whom was allegedly building a mansion and buying fancy automobiles:
Source: talung.gimyong.com/index.php?topic=529152.0
Does any one here speak Thai (Tagalog?)?
Is this post reporting a Onecoin related murder? I can’t confirm or deny this information yet based on the translation and lack of the post not identifying the alleged victim(?) by name.
Yes, this is a Onecoin related murder. A guy borrowed money from his father and invested in Onecoin. Money what his father was get for retirement. (In Thailand there is no pension, some people in certain jobs got a one time bigger amount upon retiring).
When he was unable to withdraw anything he went to ask his upline. Upline said the usual onecoin blah blah, system maintainence, etc . But since the guy was see that his upline was bought new house and fancy new cars from his onecoin income, he got enraged and shot his upline dead. End of story.
@GraveDigger (ermm…ironically premonistic) – thanks for the clearer translation. Can you help verify this information from a reliable source, other than just a random blog post, perhaps? Thnx
Again a new car dealer on DealShaker? They multiply faster than the mice in my basement.
NOLINK://https://share-your-photo.com/3a50a0f23f
Algeria is big. Where can I find the dealer?
Except that there is no Cardeal Ltd. in Dealshaker. So this is either pre-advertisement or then just a fake ad.
The photos of cars are same that Kralev used, I think.
I don’t think the photo in that Thai forum post has anything to with the story.
khaosod.co.th/special-stories/news_240511
Is Donald Trump a proud member of OneLife?
NOLINK://https://share-your-photo.com/0d93b9c566
He’ll probably become the next CEO when Ruja is arrested.
Who is Velizara?
NOLINK://https://share-your-photo.com/3e34a56524
Her full name is Velizara Ivanova and she has been General Manager at OneCoin since April 2016. Obviously, she manages the office in Dubai, if it still exists today.
NOLINK://https://share-your-photo.com/835578a887
On April 1, 2017, an April Fool’s joke on cointelegraph.com entitled:
Obviously, a OneCoin idiot from Pakistan just read the headline, because he proudly wrote on Facebook on April 2, 2017:
NOLINK://https://share-your-photo.com/fa5f1d20f5
Who is as stupid as this Hassan Hussain will fall for every scam.
Which newspaper spreads this crap? Google translates the title like this:
NOLINK://https://share-your-photo.com/b0ce0c2e67
Here’s another example of the endless stupidity of most OneCoiner:
NOLINK://https://share-your-photo.com/71a73bd3bc
very inspirational behavior from “OneStyleForLife”, it’s a online shop in France/Belgium who’s selling ONELIFE/ONECOIN goodies like t-shirt, mug, cap, sweatshirt etc and ALSO Onecoin event’s seat. Like “Dealshaker forever !” t-shirt. But they won’t sell theses items in ONE currencies; only Euro.
I just asked on the shop chat in Facebook;
“Can you send me the dealshaker link for your item’s please ?”
response;
“Because of a technical problem we cannot sell anything in ONE for the moment”
yeah, but the shop is open for two year now, it’s a very lonnnng technical problem.
me: “can you explain me the problem ?”
still no response so far.
check here; NOLINK://www.facebook.com/OneStyleForLife
@Vladof
If I click on the button “imprint”, no legally compliant imprint is displayed, but this crap:
NOLINK://https://share-your-photo.com/11032d9bfd
No address, no company, no telephone number, no bank account and the owner is not mentioned. This is not an imprint, that’s a bad joke!
The tickets for the planned fraud events must be paid for with real money – here it is only 1,000 euros!
NOLINK://https://share-your-photo.com/96a89bf0ea
As usual with dubious companies, cookies are set on the website, but it is not pointed out.
In Uganda yesterday was celebrated for hours, with the ominous “bishop” Fred Ntabazi. Below the video is a fitting comment:
NOLINK://https://share-your-photo.com/b72ec5999c
OneCoin idiots deface their children. 🙁 A typical behavior, as one usually knows from (religious) sects.
NOLINK://https://share-your-photo.com/80d4e0a338
23% of all open deals in Dealshitter were set to expire 31.12.2018. Today there are 3,499 less open deals than there were yesterday.
Did I miss something important? I’m reading now:
NOLINK://https://share-your-photo.com/6c75d59e5e
This and hundreds more lies can still be downloaded today as PDF (110 pages):
NOLINK://yourcoinworld.com/docs/GuidebookTeam.pdf
The bankrupt OneCoin scammer Geri Savini has several accounts on Facebook. One with the title:
That sounds very good, but it has nothing to do with reality. One recognizes it with this “offer”:
NOLINK://https://share-your-photo.com/b091733f08
For me it looks like a bad copy of the also dubious project from Russia with the website one-village.ru. Apart from plans, drawings and graphics, there is nothing in reality. Exactly the same as with Ruja: Only visions, only tons of hot air, but nothing concrete.
Again a new car dealer, this time in Russia. The ordering process on onexprofit.com is quite complicated, but is described exactly. Audi, Mercedes-Benz, Toyota and VW cars are configurable. Point 4 (out of a total of 8) demands:
Under point 6, the anticipation of the new car is significantly clouded:
NOLINK://https://share-your-photo.com/2da7538f46
If anyone understands the Russian language: Are the prices demanded there realistic? I canceled the configuration. Sorry!
That is awful! At least OneMillionShop promised 50:50 divide between ONE and euros.
(Naturally the prices in both cases are set so high the Onecoins have 0 value.)
Hi,
I asked someone living in Thailand. She said: a man had 277 follower (in OneCoin) and went to malasia. Murder ?? is unclear .
The Australian OneCoin posse is hyping about next tuesday:
(youtube.com/watch?v=iNjJ6Dy-Vmg)
Many other scammers (including “merhcants”) have built hopes/plans around January 8th too, thinking they can then sell their coins and get fiat currency.
People are going be to massively outraged and/or dissapointed when they discover the truth. Interesting to see can OneCoin muddle through it.
What will happen on the 8.01.2019?
You can exchange 20% of OFCs with no value
into OneCoins with no value.
Nothing more will happen.
Nowhere is written, that any more will happen.
My (very credible) suggestions are:
– Konstantin has been mangled by his dogs
– Impertinent haters have blocked all websites with DDoS attacks
– In Sofia, the electricity supply has failed
– Ruja fell out of bed and destroyed her precious, private blockchain
– The raid in January 2018 has actually led to the feared bankruptcy
– A gang of thieves stole all educational packages worth millions of euros
– An unknown investor secretly bought 51% of OneCoin / OneLife. It is not known if he will continue the business.
– The last three employees quit without notice after receiving death threats.
– Ruja’s patent for her mysterious blockchain can no longer be found at the Patent Office in Sofia and must be resubmitted.
– A lightning strike destroyed all servers. It will take several years before all accounts can be reconstructed.
Since I am a socially minded person, I make these suggestions available for free. This distinguishes me from Ruja and Konstantin.
A look into the well-filled vault of OneCoin millionaire André Minguy who worked for 20 years as a chauffeur:
NOLINK://https://share-your-photo.com/ad04f86cbb
André Minguy revealed details about his gigantic fortune on Facebook a few days ago:
NOLINK://https://share-your-photo.com/1db88712cc
A short remark about the rumors that OneCoin does not have its own blockchain. That is not correct. I quote from the website NOLINK://www.onepowerteam.com/faq
NOLINK://https://share-your-photo.com/d6922e7a2c
If you still have doubts, you should visit this website:
NOLINK://onecoinqueen.blogspot.com/2015/07/audit-presentation-by-dian-dimitrov.html
There, a notorious liar named Dian Dimitrov explains in two videos how he managed to test a nonexistent blockchain!
NOLINK://https://share-your-photo.com/73d2244b46
A sample of a so-called “OneCoin Blockchain Audit Report” from June 2015 can be found here:
NOLINK://https://docplayer.net/12092461-Onecoin-blockchain-audit-report.html
Meanwhile, 3 1/2 years have passed. And I was shocked when I found this on Twitter:
NOLINK://share-your-photo.com/00fd7d4d07
What, damn it, is a blockchain SIMULATOR?
Other suggestions;
-Konstantin unfortunately lost the USB key with all the onelife account during his workout at the gym between two selfie on Instagram.
-A new offer from the company for another big product with big return, going public reported to 2020, but don’t worry the most important thing’s with ONECOIN is the usability on Dealshaker !
-Another delay for the KYC procedure, the Sofia office also need a copy of your finger print and a blood/sperm sample for finalizing the complex KYC block chain integration. You get a bonus split if you also send a video of you during the fluid extraction.
-Konstantin disappear, the whole main down-line leader like José Gordo will be crucified on a public place during the winter ending ceremonial.
-Massive offer of Xanax, 100% ONE on the new dealshaker platform, just for getting investor in a good state of mind
Oh My Gosh! This is just TOO F U N N Y!! Can’t stop laughing.
I’ll pass on the video of the fluid extraction.
@Semjon
The OneCoin Aborigines from Australia are spreading unbelievable garbage on Facebook again:
NOLINK://https://share-your-photo.com/2b9b5c1d06
The member states of the G20 support the new DealShaker? Do not they have something better and more important to do? Will Jack Ma and Jeff Bezos have to file for bankruptcy soon?
Today, the OneCoin idiots are happy about this announcement:
NOLINK://https://share-your-photo.com/7a2f92a346
Behind this OneCoin millionaire already dissolves the wallpaper from the wall. We should donate him a few euros so he can buy some glue:
NOLINK://https://share-your-photo.com/4e38f013b5
Every day I search for exceptionally attractive offers in the OneCoin jungle. Today I finally found one! 😀
NOLINK://https://share-your-photo.com/2e860b0d57
Significant threat from Sofia:
NOLINK://https://share-your-photo.com/9e2f5a61fe
Small note to Konstantin: The price of a commodity results from supply and demand. Only tattooed madmen from Bulgaria believe that prices can be dictated in a free market.
Published on Facebook five hours ago:
It follows a very long text, but who has read, still do not know when the exchange finally begins!
NOLINK://https://share-your-photo.com/1212f8a200
If you want to know how to quickly become rich with the Bulgarian miracle currency, you should buy this product on AMAZON:
NOLINK://https://share-your-photo.com/5bdb8547cc
Has the German serial scammer Ralf Paulick (“Blue Diamond”) fled to Spain? Here with Mariana Lopez de Waard (“Black Diamond”) from Spain on the left side.
NOLINK://https://share-your-photo.com/d1f6d66f62
Very pleasing: the Facebook account of Ralf Paulick is empty! 😀 Where does he advertise the OneCoin scam now?
Who wants to know more about this evil crook, must log in at the :gerlachreport. Paulick can not erase anything there! 🙂
The OneCoin scammers from Austria uploaded an old video from professional criminal Tom McMurrain on Facebook in December 2018:
NOLINK://https://share-your-photo.com/c27f38b776
The criminal group from Austria has always lied a lot. Here’s an example:
NOLINK://https://share-your-photo.com/ddea93ac35
This Jeep Grand Cherokee from Japan for 76,000 euros is supposedly sold.
NOLINK://https://share-your-photo.com/557ce3bc96
But when it’s delivered, nobody knows. The seller ties the delivery to this condition:
NOLINK://https://share-your-photo.com/66cdb6917b
How many years will the proud buyer of this Jeep have to wait for delivery? 😀
Since the product description is incomplete, no price comparison can be made. In Germany, this model is available from 50,900 euros. As a new car. The Jeep from Japan is not new, even if it was driven very little.
Martin Mayer, who publishes idiotic and meaningless videos (until today 396!) under the pseudonym “MaMa”, has hinted in a video that Duncan Arthur should often be drunk. The result of drunkenness during work lament many OneCoiner like this:
NOLINK://https://share-your-photo.com/e2b6d41c32
The new DealShaker obviously has more flaws than a dog has fleas. My suggestion: destroy the BETA version and start a CETA version. And next year a new attempt with a DETA version will be started…
If you are financially involved with OneCoin / OneLife, you are taking a high risk! That’s not what I claim, it’s Igor Krnic. Is not it true today what he wrote on quora.com on May 26, 2018?
NOLINK://https://share-your-photo.com/08ae8b7bae
Let’s not forget that in January 3rd the “old” Dealshaker gained almost as many new open deals in one day than the total amount of all open deals the “newdealshaker” has been able to gather during its entire time of operation.
@Otto
3.5 million OneCoin idiots live in an illusory world or a dream world. In that sense, Denis Murdock calls his new DealShaker account:
NOLINK://https://share-your-photo.com/2115695f2a
The Australian Property Investment Pty Ltd offers numerous properties on the old dealshaker. Here’s an example:
There are 10 coupons available, which can be purchased from 19 January 2019. On many Facebook pages, these offers are copied to prove that one can actually buy real estate with OneCoin. Of course this is not true because the seller describes the details in his DEAL SPECIFIC TERMS & CONDITIONS FROM THE MERCHANT. Here is an excerpt:
NOLINK://https://share-your-photo.com/48b1e03499
Are Australian estate agents really so stupid that they do not recognize the fraud? Or do they themselves want to benefit from the fraud? In Germany, estate agents have a very bad reputation, similar to that of used car sellers. The required service fee of 125 ONE will not be refunded, but is for the seller from Australia without any value.
NOLINK://https://share-your-photo.com/672111738e
These real estate properties will be the next “Kralev Car” parody. Or tragedy for the OneCoin believers. Of course there will be huge hype and celebration how coupons were sold in the Australia DS expo, but which will never turn into real estate properties.
There’s hype in FB for the coming Australian DS expo, especially by the 2 australian OneCoin retards most hyping these property deals: Thanh Duong and Michael Yeo who recently visited Sofia office.
https://www.facebook.com/ThanhCoin/videos/2182223681995095/
The new DealShaker is fully functional. Perfectly programmed by Duncan Arthur!
NOLINK://https://share-your-photo.com/19e67f2040
Also I can not buy some products because I get the same message. I am completely desperate! 🙂
My tip to “feriman”: Immediately make a request to the so-called “support” – and then wait and wait and wait… 😀
8.1.2019 – this is, what happens.
I could convert 20% OFCs with no value into ONEs without value.
Brainwashing continues – now with children!
On onelife.eu the PREMIUM TRADER PACKAGE costs 13,750 euros.
NOLINK://https://share-your-photo.com/9dcbc32f7e
On the fraud portal giftcodefactory.com by Pascal-Rene Andre from Austria the same package costs only 10,000 euros.
NOLINK://https://share-your-photo.com/c3ebfc7a1d
How is that possible? Allegedly, it is not allowed to sell products under the price set by the “company”.
I imagine that Pascal-Rene has been able to purchase the package from his uplines at a discount-this is what a number of the leaders have done to enhance their profitability. Juha allegedly used to give these packages away for a bottle of whisky which was one of the reasons he was thrown out/fled.
This subterfuge will increase as the remaining leaders exit from the Schemes -even more than over the last 18 months. OC appears to be in its death throws and the scammers want to milk every last penny.
@limericklady
OK! Are you writing the WHISTLE BLOWING REPORT or me?
NOLINK://https://share-your-photo.com/98a3850651
OneCoin now increased its value near to 30€, GREAT
All working hard for this 🙂
And the Exchange is only one step ahead
Interesting isn’t it that not one word of this “exciting” news has been posted on Igor’s defend OneCoin at all cost blog.
Seems the faithful aren’t interested in the price set by Ruja but when will OC be traded publicly on the exchange and how. Not happy about being kept in the dark.
This from Singapore:
NOLINK://http://www.mas.gov.sg/IAL.aspx?sc_q=onecoin
Melanie is honored here
businessforhome.org/2019/01/behind-mlm-a-fine-club-of-mlm-and-network-marketing-haters/
Actually I was shocked and surprised to see my name listed. There are far more deserving people who post here who should have received this honor than me.
I was surprised that Ted left my comment in response to being named.
The OFC Coin Offering dashbaord is not accessible from sales.onecoinico.io anymore. It leads to “Error 523 – Origin is unreachable”.
They pulled the plug on onecoinico.io?