Как получить код для вставки Soundcloud soundcloud.com url

Я исследовал в течение нескольких часов, чтобы сделать это сработало. В основном у меня есть cms, в которой пользователи могут поместить url soundcloud следующим образом"https://soundcloud.com/cade-turner/cade-turner-symphony-of-light", то страница может показать встроенный iframe. У меня есть красный описании API, но не мог найти ничего релевантные. Этот пост здесь поговорили, но я просто не совсем понял ответы, и я проверил oEmbed и oEmbed ссылка но не смог найти подходящего примера. У кого-нибудь есть еще намеки?

изменить: Благодаря ответу Джейкоба мне наконец удалось сделать это с помощью ajax.

var trackUrl = 'THE_URL';
var Client_ID = 'CLIENT_ID';//you have to register in soundcound developer first in order to get this id 
$.get(//make an ajax request
    'http://api.soundcloud.com/resolve.json?url=' + trackUrl + '&client_id=' + Client_ID, 
    function (result) {//returns json, we only need id in this case
        $(".videowrapper, .exhibitions-image, iframe").replaceWith('<iframe width="100%" height="100%" scrolling="no" frameborder="no" src="https://w.soundcloud.com/player/?url=https%3A//api.soundcloud.com/tracks/' + result.id +'&amp;color=ff6600&amp;auto_play=false&amp;show_artwork=true"></iframe>');//the iframe is copied from soundcloud embed codes
    }
);

4 ответов


для выбранного вами трека код вставки такой:

<iframe width="100%" height="166" scrolling="no" frameborder="no" src="https://w.soundcloud.com/player/?url=https%3A//api.soundcloud.com/tracks/101276036&amp;color=ff6600&amp;auto_play=false&amp;show_artwork=true"></iframe>

единственное, что уникально для него, это идентификатор дорожки, в этом случае это 101276036.

таким образом, ваша реальная проблема пытается найти идентификатор трека, когда у вас есть только URL-адрес, а SoundCloud API предоставляет метод под названием resolve сделать это.

require_once 'Services/Soundcloud.php';
$client = new Services_Soundcloud('YOUR_CLIENT_ID');
$track_url = 'https://soundcloud.com/cade-turner/cade-turner-symphony-of-light'; // Track URL
$track = json_decode($client->get('resolve', array('url' => $track_url)));
$track->id; // 101276036 (the Track ID)

затем вы можете сохранить этот идентификатор или создать и сохранить HTML, который вы хотите отобразить.


Я нашел это в своих codesnippets именно для вашей цели, даже без регистрации идентификатора клиента.

//Get the SoundCloud URL
$url="https://soundcloud.com/epitaph-records/this-wild-life-history";
//Get the JSON data of song details with embed code from SoundCloud oEmbed
$getValues=file_get_contents('http://soundcloud.com/oembed?format=js&url='.$url.'&iframe=true');
//Clean the Json to decode
$decodeiFrame=substr($getValues, 1, -2);
//json decode to convert it as an array
$jsonObj = json_decode($decodeiFrame);

//Change the height of the embed player if you want else uncomment below line
// echo $jsonObj->html;
//Print the embed player to the page
echo str_replace('height="400"', 'height="140"', $jsonObj->html);

Я искал что-то подобное и нашел это действительно полезным:

https://developers.soundcloud.com/docs/oembed#introduction

просто попробуйте эту команду CURL:

curl "http://soundcloud.com/oembed" -d 'format=json' -d 'url=http://soundcloud.com/forss/flickermood'

или этот запрос jQuery ajax:

var settings = {
  "async": true,
  "crossDomain": true,
  "url": "http://soundcloud.com/oembed",
  "method": "POST",
  "headers": {},
  "data": {
    "format": "json",
    "url": "http://soundcloud.com/forss/flickermood"
  }
}

$.ajax(settings).done(function (response) {
  console.log(response);
});

это решение Javascript на основе jQuery, которое я написал.

для этого не требуется идентификатор клиента.

убедитесь, что jQuery включен, и добавьте это в <head> документ:

<script type="text/javascript">
document.addEventListener("DOMContentLoaded", function(event) {
    (function ($) {
        $.fn.scembed = function(){
        var datasource  = 'http://soundcloud.com/oembed';
        return this.each(function () {
            var container = $(this);
            var mediasource = $(container).attr("sc_url");
            var params = 'url=' + mediasource + '&format=json&iframe=true&maxwidth=480&maxheight=120&auto_play=false&show_comments=false';
            $.ajaxopts = $.extend($.ajaxopts, {
                                url: datasource,
                                data: params,
                                dataType: 'json',
                                success: function (data, status, raw) {
                                    $(container).html(data.html);
                                },
                                error: function (data, e1, e2) {
                                    $(container).html("Can't retrieve player for " + mediasource);
                                },
                            });
            $.ajax($.ajaxopts);
            });
        };
    })(jQuery);

    $(function(){
        $("div.sc-embed").scembed();
    });
});
</script>

чтобы вставить проигрыватель Soundcloud на страницу, создайте <div>, присвоить ему класс sc-embed и присвойте ему атрибут с именем sc_url, который должен быть установлен на URL страницы Soundcloud.

например:

<div class="sc-embed" sc_url="http://soundcloud.com/forss/flickermood"></div>

вставить несколько игроков используют несколько <div>s с различными значениями для sc_url.

вы можете изменить params переменная в Javascript для включения или отключения опций проигрывателя, как указано здесь:https://developers.soundcloud.com/docs/oembed#introduction