Bitcoin Forum
May 13, 2024, 03:18:36 AM *
News: Latest Bitcoin Core release: 27.0 [Torrent]
 
   Home   Help Search Login Register More  
Pages: 1 2 [All]
  Print  
Author Topic: [ANN] ICOSERVICE: EMPLOJMENT PLATFORM FREE who want to work in ICO environment  (Read 476 times)
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
October 28, 2018, 05:06:27 PM
Last edit: January 03, 2019, 12:41:41 PM by emanueleferra1981
 #1

WELCOME TO
ICOSERVICE ICO
POWERED BY F.B.T. "Ferrari Blockchain Team"
_____________________________________________________


From recent studies the ICO sector will be booming in the coming years and there will be more and more requests for staff willing to work

Icoservice is one of the first ICO specially designed to offer a professional service to ICO world: a real marketplace where professional make themselves available to meet who conduct an own ICO.

Our platform will keep in contact who need and who offer.. very simple and very usefull!!!

If you want to make yourself available to be hired, you need only to contact us, write down your skills and experiences, and wait an ICO contact; outside is full of job opportunities dont miss it !!!

ICO SERVICE TOKEN (IST) it's an utility token, its designed to pay services in ICO SERVICE platform.

In ICO SERVICE MARKET PLACE YOU CAN FIND AND HIRE:

- Team member
- ICO Advisors
- CEO - Chief Executuve Officer
- CTO -  Chief Tecnical Officer
- CMO - Chief Marketing Officer
- CFO - Chief Financial Officer
- CVO - Chief Visionary Officer
- SMM - Social Media Manager & Support
- BM - Bounty Manager
- Software Engineer & Web Developer
- Graphic Designer & Video Maker
- Translator Expert
- Crypto Influencer


WEBSITE: WWW.ICO-SERVICE.IT

ROADMAP PHASE: - PROFESSIONAL LISTING CAMPAIGN

WE ARE SEARCING ICO PROFESSIONIST TO LIST IN OUR PLATFORM: PROFESSIONAL LISTED NOW : 9


APPLY AS ICO PROFESSIONAL STATUS: OPEN: FREE PASS
As ICO service is in launch we offer only for first limited users free registration pass.

APPLY AS ICO PROFESSIONAL: https://docs.google.com/forms/d/1MnsIODyoOMpA-I-hbbriiQCToC7uxbUMibFNpUXewX0/edit?usp=drive_web




_____________________________________________________

ICO SERVICE TOKEN (IST) will be an utility token; it will be used for pay platform service and access, in some case, to discounted price

In roadmap there will be a ICO review platform, where ICO will be reviewed from our community, and community will be rewarded with IST.



IST TOKEN USE:

- if you are avaiable to be hired as team member (as advisor or other) you need to pay service in IST token, to be listed on ICO SERVICE site

- if you conduct an ICO that want to be on our platform, you need to pay service with IST token if you want to use 50% discounted price.

- if you are a verified member that want to review ICO, you will receive IST token as rewards

IST TOKEN is a real utility token with a real use!!!

_____________________________________________________

TOKEN DETAIL

Token Type: ERC20, Ethereum blockchain
Supply: 1.000.000.000 IST Token
Token Symbol: IST
Decimals: 18
Contract Address: 0x0e8f4a9fe6440aba30fa82d8d435ae3e34c344ae

Hard CAP:  1.000.000 $
Soft CAP:   no soft cap


Code:
contract Token {

    /// @return total amount of tokens
    function totalSupply() constant returns (uint256 supply) {}

    /// @param _owner The address from which the balance will be retrieved
    /// @return The balance
    function balanceOf(address _owner) constant returns (uint256 balance) {}

    /// @notice send `_value` token to `_to` from `msg.sender`
    /// @param _to The address of the recipient
    /// @param _value The amount of token to be transferred
    /// @return Whether the transfer was successful or not
    function transfer(address _to, uint256 _value) returns (bool success) {}

    /// @notice send `_value` token to `_to` from `_from` on the condition it is approved by `_from`
    /// @param _from The address of the sender
    /// @param _to The address of the recipient
    /// @param _value The amount of token to be transferred
    /// @return Whether the transfer was successful or not
    function transferFrom(address _from, address _to, uint256 _value) returns (bool success) {}

    /// @notice `msg.sender` approves `_addr` to spend `_value` tokens
    /// @param _spender The address of the account able to transfer the tokens
    /// @param _value The amount of wei to be approved for transfer
    /// @return Whether the approval was successful or not
    function approve(address _spender, uint256 _value) returns (bool success) {}

    /// @param _owner The address of the account owning tokens
    /// @param _spender The address of the account able to transfer the tokens
    /// @return Amount of remaining tokens allowed to spent
    function allowance(address _owner, address _spender) constant returns (uint256 remaining) {}

    event Transfer(address indexed _from, address indexed _to, uint256 _value);
    event Approval(address indexed _owner, address indexed _spender, uint256 _value);
}


/*
This implements ONLY the standard functions and NOTHING else.
For a token like you would want to deploy in something like Mist, see HumanStandardToken.sol.

If you deploy this, you won't have anything useful.

Implements ERC 20 Token standard: https://github.com/ethereum/EIPs/issues/20
.*/

contract StandardToken is Token {

    function transfer(address _to, uint256 _value) returns (bool success) {
        //Default assumes totalSupply can't be over max (2^256 - 1).
        //If your token leaves out totalSupply and can issue more tokens as time goes on, you need to check if it doesn't wrap.
        //Replace the if with this one instead.
        //if (balances[msg.sender] >= _value && balances[_to] + _value > balances[_to]) {
        if (balances[msg.sender] >= _value && _value > 0) {
            balances[msg.sender] -= _value;
            balances[_to] += _value;
            Transfer(msg.sender, _to, _value);
            return true;
        } else { return false; }
    }

    function transferFrom(address _from, address _to, uint256 _value) returns (bool success) {
        //same as above. Replace this line with the following if you want to protect against wrapping uints.
        //if (balances[_from] >= _value && allowed[_from][msg.sender] >= _value && balances[_to] + _value > balances[_to]) {
        if (balances[_from] >= _value && allowed[_from][msg.sender] >= _value && _value > 0) {
            balances[_to] += _value;
            balances[_from] -= _value;
            allowed[_from][msg.sender] -= _value;
            Transfer(_from, _to, _value);
            return true;
        } else { return false; }
    }

    function balanceOf(address _owner) constant returns (uint256 balance) {
        return balances[_owner];
    }

    function approve(address _spender, uint256 _value) returns (bool success) {
        allowed[msg.sender][_spender] = _value;
        Approval(msg.sender, _spender, _value);
        return true;
    }

    function allowance(address _owner, address _spender) constant returns (uint256 remaining) {
      return allowed[_owner][_spender];
    }

    mapping (address => uint256) balances;
    mapping (address => mapping (address => uint256)) allowed;
    uint256 public totalSupply;
}

/*
This Token Contract implements the standard token functionality (https://github.com/ethereum/EIPs/issues/20) as well as the following OPTIONAL extras intended for use by humans.

In other words. This is intended for deployment in something like a Token Factory or Mist wallet, and then used by humans.
Imagine coins, currencies, shares, voting weight, etc.
Machine-based, rapid creation of many tokens would not necessarily need these extra features or will be minted in other manners.

1) Initial Finite Supply (upon creation one specifies how much is minted).
2) In the absence of a token registry: Optional Decimal, Symbol & Name.
3) Optional approveAndCall() functionality to notify a contract if an approval() has occurred.

.*/

contract HumanStandardToken is StandardToken {

    function () {
        //if ether is sent to this address, send it back.
        throw;
    }

    /* Public variables of the token */

    /*
    NOTE:
    The following variables are OPTIONAL vanities. One does not have to include them.
    They allow one to customise the token contract & in no way influences the core functionality.
    Some wallets/interfaces might not even bother to look at this information.
    */
    string public name;                   //fancy name: eg Simon Bucks
    uint8 public decimals;                //How many decimals to show. ie. There could 1000 base units with 3 decimals. Meaning 0.980 SBX = 980 base units. It's like comparing 1 wei to 1 ether.
    string public symbol;                 //An identifier: eg SBX
    string public version = 'H0.1';       //human 0.1 standard. Just an arbitrary versioning scheme.

    function HumanStandardToken(
        uint256 _initialAmount,
        string _tokenName,
        uint8 _decimalUnits,
        string _tokenSymbol
        ) {
        balances[msg.sender] = _initialAmount;               // Give the creator all initial tokens
        totalSupply = _initialAmount;                        // Update total supply
        name = _tokenName;                                   // Set the name for display purposes
        decimals = _decimalUnits;                            // Amount of decimals for display purposes
        symbol = _tokenSymbol;                               // Set the symbol for display purposes
    }

    /* Approves and then calls the receiving contract */
    function approveAndCall(address _spender, uint256 _value, bytes _extraData) returns (bool success) {
        allowed[msg.sender][_spender] = _value;
        Approval(msg.sender, _spender, _value);

        //call the receiveApproval function on the contract you want to be notified. This crafts the function signature manually so one doesn't have to include a contract in here just for this.
        //receiveApproval(address _from, uint256 _value, address _tokenContract, bytes _extraData)
        //it is assumed that when does this that the call *should* succeed, otherwise one would use vanilla approve instead.
        if(!_spender.call(bytes4(bytes32(sha3("receiveApproval(address,uint256,address,bytes)"))), msg.sender, _value, this, _extraData)) { throw; }
        return true;
    }
}



IST TOKEN DISTRIBUTION:

50.000.000-   5% Bounty campaign
250.000.000- 25% airdrop to our community for MAX 10.000 USERS (each users will receive 25.000 IST token with a value of 25,00$)
400.000.000- 40% pubblic sale

  50.000.000-   5% Reserve wallet to pay services
100.000.000- 10% Team member (locked)
  50.000.000-   5% Advisor  
  50.000.000-   5% Marketing wallet (locked)
  50.000.000-  5%  Developing wallet (locked)


LOCKED TOKEN DETAIL:

-TEAM MEMBER TOKEN LOCK
team member token will be locked for 2 month; after 10% will be unlock each month

-MARKETING TOKEN LOCK
marketing token will be locked for 3 month; after 15% of token will be unlock each 3 month.

-DEVELOPING TOKEN LOCK
developing token will be locked for 6 month; after 15% of token will be unlock each 4 month


_____________________________________________________

ROUND SALE DETAIL

DARKSALE:                 Token Price: 0.00025$, 100% bonus, : 100.000.000 token avaiable: 10% token avaiable  (round sale value 25.000$) lottery limited to 50 users.
                                  First three users that buy more IST in DARKSALE win: GOLD MEDAL: 50% bonus token; Silver MEDAL: 4% bonus token; BRONZE MEDAL 2% bonus token.
                                        MINIMUM CONTRIBUTION: 0.20 ETH

PRESALE                     Token Price: 0.0005$, :  100.000.000 token avaiable: 10% token avaiable (round sale value 50.000$)
                                   First three users that buy more IST in PRESALE ROUND win: GOLD MEDAL: 50% bonus token; Silver MEDAL: 4% bonus token; BRONZE MEDAL 2% bonus token.
                                        MINIMUM CONTRIBUTION: 0.20 ETH

PREICO  
                    Token Price: 0.0008$:  100.000.000 token avaiable: 10% token avaiable (round sale value 80.000$)
                                   First three users that buy more IST in PREICO ROUND win: GOLD MEDAL: 50% bonus token; Silver MEDAL: 4% bonus token; BRONZE MEDAL 2% bonus token.
                                       MINIMUM CONTRIBUTION: 0.20 ETH

ICO        
                    Token Price: 0.0010$:  100.000.000 token avaiable: 10% token avaiable (round sale value 100.000$)
                                   First three users that buy more IST win: GOLD MEDAL: 50% bonus token; Silver MEDAL: 4% bonus token; BRONZE MEDAL 2% bonus token.
                                        MINIMUM CONTRIBUTION: 0.10 ETH



TOTAL ROUND SALE: 400.000.000 token, 40% token avaiable, max ammount: $ 255.000,00 (excluding main sale)
MINIMUM CONTRIBUTION: 0.05 ETH

MAIN SALE                   Token Price: 0.0025$:  All unsold token from sale round will be designed to be sold on main sale at price of 0.0025$ until they are avaiable. [/b]


TOKEN REUSE:


When IST token is used to pay services in our platform we will divide this amount as follows

60% as fee service
10% sended to Team wallet
10% sended to Reserve wallet
10% sended to Marketing wallet
  8% sended to Developing wallet
2%  burn token

We will burn 2% of token of each service payed with IST token, each quarter.
This is to lower the total supply and increase its value. There will be a limit of total token burned set as: 100.000.000 IST token
When this limit reached this 2% will sendet to Developing wallet (it's grow from 8% to 10%)

_____________________________________________________


ROADMAP

- PRE ANN TREAD

- ANN TREAD

- SOCIAL MEDIA PROFILE (TELEGRAM ANN, FACEBOOK, TWITTER)

- TOKEN DEVELOPING


- SOCIAL MEDIA UPGRADE WITH TELEGRAM CHAT

- PROFESSIONAL LISTING CAMPAIGN

- BOUNTY CAMPAIGN

- FIRST AIRDROP BATCH (LIMITED TO 3000 USER)

- WEBSITE

- SECOND AIRDROP BATCH (LIMITED TO 3000 USER)

- TEAM MEMBER

- DARK ROOM WHITELIST OPEN (ONLY FOR 50 LUCKY USERS)

- WHITEPAPER AND ONE PAGER RELEASE


- SECOND BATCH OF ADVISOR

- DARK ROOM SALE (LIMITED TO WHITELISTED LUCKY USERS)

- THIRD AIRDROP BATCH (LIMITED TO 4000 USERS)

- ICO ROUND SALE (PRIVATE, PRESALE, PREICO, ICO)

- RELEASE DARK ROOM and ICO ROUND SALE TOKEN

- FIRST BATCH EXCHANGE: DEX EXCHANGE LISTING

- FIRST BATCH AIRDROP RELEASE TOKEN

- WEBSITE PLATFORM WITH USER DASHBOARD

- SECOND BATCH OF EXCHANGE

- SECOND BATCH AIRDROP RELEASE TOKEN

- WEBSITE PLATFORM WITH TEAM MEMBER OFFER

- WEBSITE PLATFORM WITH ICO SHOWCASE

- THIRD BATCH AIRDROP RELEASE TOKEN


- ICO SERVICE PLATFORM 100% WORKING


IF SOMEONE WANT TO COLLABORATE WITH THIS PROJECT PLEASE DM ME.


_______________________________________________________________________________ __________

IF SOMEONE WANT TO GIVE US ONE MERIT TO SHOW IMAGE... WILL BE WELCOME!

_______________________________________________________________________________ __________



AIRDROP DETAIL:

250.000.000 IST TOKEN will be airdropped to IST community users, as a value of 250.000$ total. Airdrop limit: 10.000 USERS (each users will receive 25.000 IST token with a value of 25,00$)
Users who want to receive airdrop need to:

1) Follow us on twitter            

2) Retweet our upper-tweet    

3) Like's our facebook's page    

4) make a review 5 star of our FACEBOOK PAGE

5) Join out Telegram chat  

6) Join our Telegram ANN      

SOON, AS ROADMAP AIRDROP FORM IN OUR BOUNTY ANN



BOUNTY DETAIL:

BOUNTY BITCOINTALK ANN: https://bitcointalk.org/index.php?topic=5063763.msg47613736#msg47613736

_____________________________________________________

SOCIAL LINK:

Website:                      www.ico-service.it

Facebook:                    https://www.facebook.com/Ico-Service-Crypto-Ico-professionals-at-your-service-Powered-by-FBT-1090267537809903/?modal=admin_todo_tour

Twitter:                       https://twitter.com/ICOpresale

Telegram chat:            https://t.me/ICOSERVICE_ico

Telegram official ANN: https://t.me/FerrariBlockchainTeam_ANN




_______________________________________________________________________________ ____________

ICOSERVICE IS POWERED BY F.B.T. "Ferrari Blockchain Team"
ICO Consultant/Advisor with extensive knowledge of blockchain, and subject matter knowledge of ICO.

WEBSITE: www.ferrariblockchainteam.it
LINKEDIN: https://www.linkedin.com/company/f-b-t-ferrari-blockchain-team/
BITCOINTALK ANN: https://bitcointalk.org/index.php?topic=5058847.msg47363685#msg47363685
_______________________________________________________________________________ ____________
1715570316
Hero Member
*
Offline Offline

Posts: 1715570316

View Profile Personal Message (Offline)

Ignore
1715570316
Reply with quote  #2

1715570316
Report to moderator
1715570316
Hero Member
*
Offline Offline

Posts: 1715570316

View Profile Personal Message (Offline)

Ignore
1715570316
Reply with quote  #2

1715570316
Report to moderator
1715570316
Hero Member
*
Offline Offline

Posts: 1715570316

View Profile Personal Message (Offline)

Ignore
1715570316
Reply with quote  #2

1715570316
Report to moderator
Bitcoin mining is now a specialized and very risky industry, just like gold mining. Amateur miners are unlikely to make much money, and may even lose money. Bitcoin is much more than just mining, though!
Advertised sites are not endorsed by the Bitcoin Forum. They may be unsafe, untrustworthy, or illegal in your jurisdiction.
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 02, 2018, 11:49:29 PM
Last edit: November 03, 2018, 11:24:01 AM by emanueleferra1981
 #2

Pre-Ann is done, now stay tuned for OFFICIAL ANN


_______________________________________________________________________________ ____________

ICOSERVICE IS POWERED BY F.B.T. "Ferrari Blockchain Team"
ICO Consultant/Advisor with extensive knowledge of blockchain, and subject matter knowledge of ICO.

LINKEDIN: https://www.linkedin.com/company/12595638/admin/updates/
BITCOINTALK ANN: https://bitcointalk.org/index.php?topic=5058847.msg47363685#msg47363685
_______________________________________________________________________________ ____________
bitLeap
Sr. Member
****
Offline Offline

Activity: 1176
Merit: 476



View Profile
November 03, 2018, 12:05:44 AM
 #3

Hello sir,
I'm team of gaga org(21TwOne Team)
Do you need bounty manager?
If yes, PM me

.
Duelbits
▄▄█▄▄░░▄▄█▄▄░░▄▄█▄▄
███░░░░███░░░░███
░░░░░░░░░░░░░
░░░░░░░░░░░░
▀██████████
░░░░░███░░░░
░░░░░███▄█░░░
░░██▌░░███░▀░░██▌
█░██░░███░░░██
█▀▀▀█▌░███░░█▀▀▀█▌
▄█▄░░░██▄███▄█▄░░▄██▄
▄███▄
░░░░▀██▄▀
.
REGIONAL
SPONSOR
███▀██▀███▀█▀▀▀▀██▀▀▀██
██░▀░██░█░███░▀██░███▄█
█▄███▄██▄████▄████▄▄▄██
██▀ ▀███▀▀░▀██▀▀▀██████
███▄███░▄▀██████▀█▀█▀▀█
████▀▀██▄▀█████▄█▀███▄█
███▄▄▄████████▄█▄▀█████
███▀▀▀████████████▄▀███
███▄░▄█▀▀▀██████▀▀▀▄███
███████▄██▄▌████▀▀█████
▀██▄█████▄█▄▄▄██▄████▀
▀▀██████████▄▄███▀▀
▀▀▀▀█▀▀▀▀
.
EUROPEAN
BETTING
PARTNER
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 03, 2018, 12:07:10 AM
 #4

Thank's for interesting in ICO SERVICE, please DM me with detail.

Thank's!!
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 03, 2018, 11:24:29 AM
Last edit: November 04, 2018, 10:56:34 AM by emanueleferra1981
 #5

ICO SERVICE ANN is done, now stay tuned for our roadmap!!!


_______________________________________________________________________________ ____________

ICOSERVICE IS POWERED BY F.B.T. "Ferrari Blockchain Team"
ICO Consultant/Advisor with extensive knowledge of blockchain, and subject matter knowledge of ICO.

LINKEDIN: https://www.linkedin.com/company/12595638/admin/updates/
BITCOINTALK ANN: https://bitcointalk.org/index.php?topic=5058847.msg47363685#msg47363685
_______________________________________________________________________________ ____________
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 04, 2018, 10:57:50 AM
 #6

Airdrop detail were definited, dont miss it!!
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 05, 2018, 01:26:19 PM
 #7

FIRST BATCH OF SOCIAL PROFILE ONLINE:

Facebook:                    https://www.facebook.com/Ico-Service-Crypto-Ico-professionals-at-your-service-Powered-by-FBT-1090267537809903/?modal=admin_todo_tour

Twitter:                       https://twitter.com/ICOpresale

Telegram chat:            https://t.me/ICOSERVICE_ico

Telegram official ANN: https://t.me/FerrariBlockchainTeam_ANN
Poloned
Jr. Member
*
Offline Offline

Activity: 66
Merit: 1


View Profile
November 05, 2018, 01:28:04 PM
 #8

Very nice
Cryptobel-NL
Jr. Member
*
Offline Offline

Activity: 344
Merit: 1

Creative Creator


View Profile WWW
November 05, 2018, 02:37:34 PM
 #9

Aint there any airdrop form? I participated

◼◼ The Future of Payroll
◼ Make Every Day Payday (http://workchain.io)
phucdigan
Full Member
***
Offline Offline

Activity: 490
Merit: 103


View Profile
November 05, 2018, 02:44:46 PM
 #10

I do not think Icoservice is having a future to develop.
You say:
Quote
From recent studies the ICO sector will be booming in the coming years...
In fact, many (including experts) claim that the ICO is about to run out of its explosive golden age, too many scams and poor quality ICOs in 2018.
What do you think?
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 05, 2018, 03:22:49 PM
 #11

Very nice

Thank's!!
please follow us and don't forget to join our channel to be update about project and follow "Ferrari Blockchain Team" for news!!!


_______________________________________________________________________________ ____________

ICOSERVICE IS POWERED BY F.B.T. "Ferrari Blockchain Team"
ICO Consultant/Advisor with extensive knowledge of blockchain, and subject matter knowledge of ICO.

LINKEDIN: https://www.linkedin.com/company/12595638/admin/updates/
BITCOINTALK ANN: https://bitcointalk.org/index.php?topic=5058847.msg47363685#msg47363685
_______________________________________________________________________________ ____________
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 05, 2018, 03:27:28 PM
 #12

Aint there any airdrop form? I participated

Hi, thank's for supporting us, Airdrop features are fixed, but airdrop form is not active yet. I suggest to follow us in our channel to be updated about.

now we are searcing a graphic for our logo! guidelines in our bounty ann, you can find link above!!


_______________________________________________________________________________ ____________

ICOSERVICE IS POWERED BY F.B.T. "Ferrari Blockchain Team"
ICO Consultant/Advisor with extensive knowledge of blockchain, and subject matter knowledge of ICO.

LINKEDIN: https://www.linkedin.com/company/12595638/admin/updates/
BITCOINTALK ANN: https://bitcointalk.org/index.php?topic=5058847.msg47363685#msg47363685
_______________________________________________________________________________ ____________
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 05, 2018, 03:49:07 PM
 #13

I do not think Icoservice is having a future to develop.
You say:
Quote
From recent studies the ICO sector will be booming in the coming years...
In fact, many (including experts) claim that the ICO is about to run out of its explosive golden age, too many scams and poor quality ICOs in 2018.
What do you think?

ICO will not run out of its golden age, ICO is a powerfull crowdfounding sistem, but.. there's a but; last year there are a lot of poor quality ico, it's right, you are in true but now investor are warned about this danger, and they are much more careful.

ICOSERVICE MISSION:
First ICO service mission is to put in contact who need ico related services (as advisor, translator, graphics) and the professional who is able to do it.

For example if a CEO of an ico needs a chinese translator but know nobody that can do it, in ICO SERVICE PLATFORM will find who is able to do it! same things about graphics and so on.

This is a real, usefull and simple idea; IST token will be used to pay ICOSERVICE platform service.


_______________________________________________________________________________ ____________

ICOSERVICE IS POWERED BY F.B.T. "Ferrari Blockchain Team"
ICO Consultant/Advisor with extensive knowledge of blockchain, and subject matter knowledge of ICO.

LINKEDIN: https://www.linkedin.com/company/12595638/admin/updates/
BITCOINTALK ANN: https://bitcointalk.org/index.php?topic=5058847.msg47363685#msg47363685
_______________________________________________________________________________ ____________

 
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 06, 2018, 03:00:04 PM
 #14

STANDARD TOKEN DEVELOPED:

Token Type: ERC20, Ethereum blockchain
Supply: 1.000.000.000 IST Token
Token Symbol: IST
Decimals: 18
Contract Address: 0x0e8f4a9fe6440aba30fa82d8d435ae3e34c344ae


Code:
contract Token {

    /// @return total amount of tokens
    function totalSupply() constant returns (uint256 supply) {}

    /// @param _owner The address from which the balance will be retrieved
    /// @return The balance
    function balanceOf(address _owner) constant returns (uint256 balance) {}

    /// @notice send `_value` token to `_to` from `msg.sender`
    /// @param _to The address of the recipient
    /// @param _value The amount of token to be transferred
    /// @return Whether the transfer was successful or not
    function transfer(address _to, uint256 _value) returns (bool success) {}

    /// @notice send `_value` token to `_to` from `_from` on the condition it is approved by `_from`
    /// @param _from The address of the sender
    /// @param _to The address of the recipient
    /// @param _value The amount of token to be transferred
    /// @return Whether the transfer was successful or not
    function transferFrom(address _from, address _to, uint256 _value) returns (bool success) {}

    /// @notice `msg.sender` approves `_addr` to spend `_value` tokens
    /// @param _spender The address of the account able to transfer the tokens
    /// @param _value The amount of wei to be approved for transfer
    /// @return Whether the approval was successful or not
    function approve(address _spender, uint256 _value) returns (bool success) {}

    /// @param _owner The address of the account owning tokens
    /// @param _spender The address of the account able to transfer the tokens
    /// @return Amount of remaining tokens allowed to spent
    function allowance(address _owner, address _spender) constant returns (uint256 remaining) {}

    event Transfer(address indexed _from, address indexed _to, uint256 _value);
    event Approval(address indexed _owner, address indexed _spender, uint256 _value);
}


/*
This implements ONLY the standard functions and NOTHING else.
For a token like you would want to deploy in something like Mist, see HumanStandardToken.sol.

If you deploy this, you won't have anything useful.

Implements ERC 20 Token standard: https://github.com/ethereum/EIPs/issues/20
.*/

contract StandardToken is Token {

    function transfer(address _to, uint256 _value) returns (bool success) {
        //Default assumes totalSupply can't be over max (2^256 - 1).
        //If your token leaves out totalSupply and can issue more tokens as time goes on, you need to check if it doesn't wrap.
        //Replace the if with this one instead.
        //if (balances[msg.sender] >= _value && balances[_to] + _value > balances[_to]) {
        if (balances[msg.sender] >= _value && _value > 0) {
            balances[msg.sender] -= _value;
            balances[_to] += _value;
            Transfer(msg.sender, _to, _value);
            return true;
        } else { return false; }
    }

    function transferFrom(address _from, address _to, uint256 _value) returns (bool success) {
        //same as above. Replace this line with the following if you want to protect against wrapping uints.
        //if (balances[_from] >= _value && allowed[_from][msg.sender] >= _value && balances[_to] + _value > balances[_to]) {
        if (balances[_from] >= _value && allowed[_from][msg.sender] >= _value && _value > 0) {
            balances[_to] += _value;
            balances[_from] -= _value;
            allowed[_from][msg.sender] -= _value;
            Transfer(_from, _to, _value);
            return true;
        } else { return false; }
    }

    function balanceOf(address _owner) constant returns (uint256 balance) {
        return balances[_owner];
    }

    function approve(address _spender, uint256 _value) returns (bool success) {
        allowed[msg.sender][_spender] = _value;
        Approval(msg.sender, _spender, _value);
        return true;
    }

    function allowance(address _owner, address _spender) constant returns (uint256 remaining) {
      return allowed[_owner][_spender];
    }

    mapping (address => uint256) balances;
    mapping (address => mapping (address => uint256)) allowed;
    uint256 public totalSupply;
}

/*
This Token Contract implements the standard token functionality (https://github.com/ethereum/EIPs/issues/20) as well as the following OPTIONAL extras intended for use by humans.

In other words. This is intended for deployment in something like a Token Factory or Mist wallet, and then used by humans.
Imagine coins, currencies, shares, voting weight, etc.
Machine-based, rapid creation of many tokens would not necessarily need these extra features or will be minted in other manners.

1) Initial Finite Supply (upon creation one specifies how much is minted).
2) In the absence of a token registry: Optional Decimal, Symbol & Name.
3) Optional approveAndCall() functionality to notify a contract if an approval() has occurred.

.*/

contract HumanStandardToken is StandardToken {

    function () {
        //if ether is sent to this address, send it back.
        throw;
    }

    /* Public variables of the token */

    /*
    NOTE:
    The following variables are OPTIONAL vanities. One does not have to include them.
    They allow one to customise the token contract & in no way influences the core functionality.
    Some wallets/interfaces might not even bother to look at this information.
    */
    string public name;                   //fancy name: eg Simon Bucks
    uint8 public decimals;                //How many decimals to show. ie. There could 1000 base units with 3 decimals. Meaning 0.980 SBX = 980 base units. It's like comparing 1 wei to 1 ether.
    string public symbol;                 //An identifier: eg SBX
    string public version = 'H0.1';       //human 0.1 standard. Just an arbitrary versioning scheme.

    function HumanStandardToken(
        uint256 _initialAmount,
        string _tokenName,
        uint8 _decimalUnits,
        string _tokenSymbol
        ) {
        balances[msg.sender] = _initialAmount;               // Give the creator all initial tokens
        totalSupply = _initialAmount;                        // Update total supply
        name = _tokenName;                                   // Set the name for display purposes
        decimals = _decimalUnits;                            // Amount of decimals for display purposes
        symbol = _tokenSymbol;                               // Set the symbol for display purposes
    }

    /* Approves and then calls the receiving contract */
    function approveAndCall(address _spender, uint256 _value, bytes _extraData) returns (bool success) {
        allowed[msg.sender][_spender] = _value;
        Approval(msg.sender, _spender, _value);

        //call the receiveApproval function on the contract you want to be notified. This crafts the function signature manually so one doesn't have to include a contract in here just for this.
        //receiveApproval(address _from, uint256 _value, address _tokenContract, bytes _extraData)
        //it is assumed that when does this that the call *should* succeed, otherwise one would use vanilla approve instead.
        if(!_spender.call(bytes4(bytes32(sha3("receiveApproval(address,uint256,address,bytes)"))), msg.sender, _value, this, _extraData)) { throw; }
        return true;
    }
}
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 06, 2018, 11:57:22 PM
 #15

Roadmap is burned fast, soon other news about!
IF YOU WANT TO BE ON OUR PLATFORM ( FREE FOR WHO REGISTER IN THIS STAGE), STAY TUNED FOR NEWS!!!
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 08, 2018, 02:06:00 PM
 #16

APPLY AS ICO PROFESSIONAL STATUS: OPEN

APPLY AS ICO PROFESSIONAL: https://docs.google.com/forms/d/1MnsIODyoOMpA-I-hbbriiQCToC7uxbUMibFNpUXewX0/edit?usp=drive_web
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 11, 2018, 05:45:38 PM
 #17

Bounty for graphics logo design is on going, visit our bounty ann
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 14, 2018, 01:18:03 PM
 #18

soon news update!!!! register for free in our platform
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 18, 2018, 11:32:49 AM
 #19

BOUNTY CAMPAIGN:

ONGOING:

1) SOCIAL MEDIA COMMUNITY GROW: ONLY 500 USERS (FIRST BOUNTY CAMPAING:TOTAL  500.000 IST TOKEN) :

WHO WANT TO RECEIVE BOUNTY NEED TO:

1) Like on our facebook page: https://www.facebook.com/Ico-Service-Crypto-Ico-professionals-at-your-service-Powered-by-FBT-1090267537809903/?modal=admin_todo_tour

2) Share our pinned post that you find in our facebook page

3) Follow our twitter profile: https://twitter.com/ICOpresale

4) Retweet our twitter pinned post: https://twitter.com/ICOpresale/status/1064112530187001856

5) Join our telegram chat: https://t.me/ICOSERVICE_ico

6) Join our Telegram official ANN: https://t.me/FerrariBlockchainTeam_ANN

7) Visit our bitcointalk ann; https://bitcointalk.org/index.php?topic=5058892.msg47705106#msg47705106


COMPILE AND INSERT DATA IN THIS FORM:

https://docs.google.com/forms/d/1QN3amsbaVnurMeDj1yih3Nn65Z-nFTHu7Ev_LahjXQg/edit?usp=sharing

FIRST 500 USERS WILL RECEIVE AS ROADMAP: 1000 IST TOKEN EACH
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 19, 2018, 02:14:03 PM
 #20

does your exchange online?
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 19, 2018, 02:25:23 PM
 #21

does your exchange online now?
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 22, 2018, 01:27:38 PM
 #22

NEW ICO PLATFORM NEEDS:
n°5 ICO-ANALYST
n°3 TESTIMONIALS
_____________________________________________________________________________
n°5 ICO-ANALYST
New ICO platform needs ICO-ANALYST. Task for ICO ANALYST is to search new ICO with some required feature and proposes the list on platform.
ICO-ANALYST payment to be agreed upon achievement of the objectives.
_____________________________________________________________________________
n° 3 Testimonials:
if you are a crypto and ICO enthusiast and do you want to increase your popularity in crypto world, we ask a short platform review of some lines. We will publish it in the homapage with your photo and your signature.
_____________________________________________________________________________
contact me by PM.
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 26, 2018, 11:30:02 PM
 #23

http://www.mxshine.com/img/logo.png

We are very happy that the latest mining coins and POS coins can join our big exchange, a wonderful start!


Because we focus on MINING coins and POS coins, MNcoin  , all coin trading. look forward to a wonderful start!


Great project, looking forward  a pleasant cooperation, we want to list you coin on our exchange it is free. A great start, search MXshine!


www.mxshine.com  

marketing@mxshine.com

https://t.me/mxshine

https://twitter.com/MXshineExchange

https://www.facebook.com/MXshineExchange

Add coin:https://docs.google.com/forms/d/e/1FAIpQLSc9x2oF2Y8BSWrkD1N9RmHDqYquiA3kWjUDxpTWp4bz2DLhrQ/viewform

how can we cooperate?!
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
November 29, 2018, 06:02:21 PM
 #24

soon website will be onlibne, stay tuned!!!
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
December 01, 2018, 01:41:51 PM
 #25

our website is online: www.ico-service.it

visit it!!!
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
December 21, 2018, 01:44:41 PM
 #26

ROADMAP PHASE: - PROFESSIONAL LISTING CAMPAIGN

WE ARE SEARCING ICO PROFESSIONIST TO LIST IN OUR PLATFORM: PROFESSIONAL LISTED NOW : 9
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
December 31, 2018, 02:11:59 PM
 #27

Ico-Service; Crypto & Ico professionals at your service. Powered by FBT is one of the first service specially designed to offer a professional service to ICO world:
 a real marketplace where professional make themselves available to meet who conduct an own ICO.

Our platform will keep in contact who need and who offer.. very simple and very usefull!!!

Welcome to
-Alice Hlidkova listed as Crypto Influencer
Entrepreneur / Agency Owner / Marketer / ICO Adviser and Blockchain Consultant / Woman in Blockchain Advocate

https://www.linkedin.com/in/alice-hlidkova-b908bb47/

www.ico-service.it

Contact us if you want to be listed free on ICO-SERVICE
emanueleferra1981 (OP)
Newbie
*
Offline Offline

Activity: 141
Merit: 0


View Profile WWW
January 03, 2019, 12:35:23 PM
 #28

In ICO SERVICE MARKET PLACE YOU CAN FIND AND HIRE:

- Team member
- ICO Advisors
- CEO - Chief Executuve Officer
- CTO -  Chief Tecnical Officer
- CMO - Chief Marketing Officer
- CFO - Chief Financial Officer
- CVO - Chief Visionary Officer
- SMM - Social Media Manager & Support
- BM - Bounty Manager
- Software Engineer & Web Developer
- Graphic Designer & Video Maker
- Translator Expert
- Crypto Influencer

WEBSITE: WWW.ICO-SERVICE.IT

ROADMAP PHASE: - PROFESSIONAL LISTING CAMPAIGN
Pages: 1 2 [All]
  Print  
 
Jump to:  

Powered by MySQL Powered by PHP Powered by SMF 1.1.19 | SMF © 2006-2009, Simple Machines Valid XHTML 1.0! Valid CSS!