BRANCH: Torrent with Vue and pure JS.

This commit is contained in:
2017-10-27 20:37:32 -04:00
parent 28e7dd9d5d
commit 7d9b3117f2
10 changed files with 545 additions and 154 deletions

View File

@@ -3,9 +3,6 @@ package main
import ( import (
"fmt" "fmt"
"github.com/anacrolix/torrent" "github.com/anacrolix/torrent"
"log"
"os"
"path/filepath"
"time" "time"
) )
@@ -29,17 +26,6 @@ type ClientConfig struct {
DownloadDir string DownloadDir string
} }
// NewClientConfig creates a new default configuration.
func NewClientConfig() ClientConfig {
return ClientConfig{
Port: 8080,
TorrentPort: 50007,
Seed: false,
TCP: true,
MaxConnections: 200,
DownloadDir: "Download",
}
}
type Client struct { type Client struct {
Client *torrent.Client Client *torrent.Client
@@ -57,33 +43,4 @@ type Client struct {
Config ClientConfig Config ClientConfig
} }
func NewClient(cfg ClientConfig) (client Client, err error) {
var t *torrent.Torrent
var c *torrent.Client
client.Config = cfg
//create the download directory
_, err := os.Create(cfg.DownloadDir)
if err != nil {
log.Println(err)
return
}
c, err = torrent.NewClient(&torrent.Config{
DataDir: cfg.DownloadDir,
NoUpload: !cfg.Seed,
Seed: cfg.Seed,
DisableTCP: !cfg.TCP,
ListenAddr: fmt.Sprintf("%d", cfg.TorrentPort),
})
if err != nil {
return client, ClientError{Type: "creating torrent client", Origin: err}
}
client.Client = c
//adding torrents
}

59
config.toml Normal file
View File

@@ -0,0 +1,59 @@
[torrentClientConfig]
DataDir = "downloads" #the full OR relative path of the default download directory for torrents
#The address to listen for new uTP and TCP bittorrent protocolconnections. DHT shares a UDP socket with uTP unless configured otherwise.
ListenAddr = "" #Leave Blank for default, syntax "HOST:PORT"
#Don't announce to trackers. This only leaves DHT to discover peers.
DisableTrackers = false #boolean
DisablePEX = false # boolean
# Don't create a DHT.
NoDHT = false #boolean
# Overrides the default DHT configuration, see dhtServerConfig
DHTConfig = false # boolean, set to true and edit dhtServerConfig table to utilize
# Never send chunks to peers.
NoUpload = false #boolean
#seed after download
Seed = true #boolean
# Events are data bytes sent in pieces. The burst must be large enough to fit a whole chunk.
UploadRateLimiter = "" #*rate.Limiter
#The events are bytes read from connections. The burst must be biggerthan the largest Read performed on a Conn minus one. This is likely to
#be the larger of the main read loop buffer (~4096), and the requested chunk size (~16KiB).
DownloadRateLimiter = "" #*rate.Limiter
#User-provided Client peer ID. If not present, one is generated automatically.
PeerID = "" #string
#For the bittorrent protocol.
DisableUTP = false #bool
#For the bittorrent protocol.
DisableTCP = false #bool
#Called to instantiate storage for each added torrent. Builtin backends
# are in the storage package. If not set, the "file" implementation is used.
DefaultStorage = dht.ServerConfig #storage.ClientImpl
#encryption policy
IPBlocklist = "" #iplist.Ranger
DisableIPv6 = false #boolean
Debug = false #boolean
[dhtServerConfig]
# Set NodeId Manually. Caller must ensure that if NodeId does not conform to DHT Security Extensions, that NoSecurity is also set.
NodeId = "" #[20]byte
Conn = "" # https://godoc.org/net#PacketConn #not implemented
# Don't respond to queries from other nodes.
Passive = false # boolean
# the default addressses are "router.utorrent.com:6881","router.bittorrent.com:6881","dht.transmissionbt.com:6881","dht.aelitis.com:6881",
#https://github.com/anacrolix/dht/blob/master/dht.go
StartingNodes = "dht.GlobalBootstrapAddrs"
#Disable the DHT security extension: http://www.libtorrent.org/dht_sec.html.
NoSecurity = false
#Initial IP blocklist to use. Applied before serving and bootstrapping begins.
IPBlocklist = "" #iplist.Ranger
#Used to secure the server's ID. Defaults to the Conn's LocalAddr(). Set to the IP that remote nodes will see,
#as that IP is what they'll use to validate our ID.
PublicIP = "" #net.IP
#Hook received queries. Return true if you don't want to propagate to the default handlers.
OnQuery = "func(query *krpc.Msg, source net.Addr) (propagate bool)"
#Called when a peer successfully announces to us.
OnAnnouncePeer = "func(infoHash metainfo.Hash, peer Peer)"
#How long to wait before resending queries that haven't received a response. Defaults to a random value between 4.5 and 5.5s.
QueryResendDelay = "func() time.Duration"

158
main.go
View File

@@ -11,6 +11,11 @@ import (
"os" "os"
"strings" "strings"
"time" "time"
"github.com/anacrolix/torrent"
//"github.com/anacrolix/dht"
"github.com/anacrolix/torrent/metainfo"
"github.com/boltdb/bolt"
"encoding/json"
) )
var ( var (
@@ -26,40 +31,185 @@ var upgrader = websocket.Upgrader{
WriteBufferSize: 1024, WriteBufferSize: 1024,
} }
type torrentList struct { //helps create the JSON structure that vuetable expects to recieve
Totaltorrents int `json:"total"`
ClientDBstruct []clientDB `json:"data"`
}
type clientDB struct{
TorrentName string `json:"Torrent Name"`
ChunksWritten int64
ChunksRead int64
BytesWritten int64
BytesRead int64
DataBytesWritten int64
DataBytesRead int64
ActivePeers int
TotalPeers int `json:"Total Peers"`
TorrentHashString string
TorrentHash metainfo.Hash
StoragePath string `json:"Storage Location"`
DateAdded string
}
func serveHome(w http.ResponseWriter, r *http.Request) { func serveHome(w http.ResponseWriter, r *http.Request) {
s1, _ := template.ParseFiles("templates/home.tmpl") s1, _ := template.ParseFiles("templates/home.tmpl")
s1.ExecuteTemplate(w, "base", map[string]string{"APP_ID": APP_ID}) s1.ExecuteTemplate(w, "base", map[string]string{"APP_ID": APP_ID})
} }
func startTorrent(clientTorrent *torrent.Torrent, torrentLocalStorage *TorrentLocal, Config torrent.Config, torrentDbStorage *bolt.DB){
<-clientTorrent.GotInfo() //waiting for all of the torrent info to be downloaded
torrentLocalStorage.Hash = clientTorrent.InfoHash() // we will store the infohash to add it back later on client restart (if needed)
torrentLocalStorage.DateAdded = time.Now().Format("Jan _2 2006")
torrentLocalStorage.StoragePath = Config.DataDir //TODO check full path information for torrent storage
torrentLocalStorage.TorrentName = clientTorrent.Name()
fmt.Printf("%+v\n", torrentLocalStorage)
addTorrentLocalStorage(torrentDbStorage, torrentLocalStorage) //writing all of the data to the database
clientTorrent.DownloadAll()//starting the download
}
func createRunningTorrentArray (tclient *torrent.Client, TorrentLocalArray []*TorrentLocal) (RunningTorrentArray []clientDB) {
for _, element := range TorrentLocalArray { //re-adding all the torrents we had stored from last shutdown
singleTorrent, _ := tclient.AddTorrentInfoHash(element.Hash) //adding back in the torrents by hash
fullClientDB := new(clientDB)
fullStruct := singleTorrent.Stats()
fullClientDB.TorrentHash = element.Hash
fullClientDB.ChunksWritten = fullStruct.ConnStats.ChunksWritten
fullClientDB.ChunksRead = fullStruct.ConnStats.ChunksRead
fullClientDB.BytesWritten = fullStruct.ConnStats.BytesWritten
fullClientDB.BytesRead = fullStruct.ConnStats.BytesRead
fullClientDB.DataBytesWritten = fullStruct.ConnStats.DataBytesWritten
fullClientDB.DataBytesRead = fullStruct.ConnStats.DataBytesRead
fullClientDB.ActivePeers = fullStruct.ActivePeers
fullClientDB.TotalPeers = fullStruct.TotalPeers
fullClientDB.TorrentHashString = element.Hash.String()
fullClientDB.StoragePath = element.StoragePath
fullClientDB.TorrentName = element.TorrentName
fullClientDB.DateAdded = element.DateAdded
RunningTorrentArray = append(RunningTorrentArray, *fullClientDB)
}
return RunningTorrentArray
}
func updateClient(torrentstats []clientDB, conn *websocket.Conn){ //get the torrent client and the websocket connection to write msg
//first get the list of torrents in the client
conn.WriteJSON(torrentstats) //converting to JSON and writing to the client
}
func main() { func main() {
//setting up the torrent client
Config := fullClientSettingsNew() //grabbing from settings.go
r := mux.NewRouter() torrentLocalStorage := new(TorrentLocal) //creating a new struct that stores all of our local storage info
fmt.Printf("%+v\n", Config)
tclient, err := torrent.NewClient(&Config.Config) //pulling out the torrent specific config to use
if err != nil {
log.Fatalf("error creating client: %s", err)
}
//torrentDbStorage := initializeStorage //initializing the boltDB store that contains all the added torrents
db, err := bolt.Open("storage.db", 0600, nil) //initializing the boltDB store that contains all the added torrents
if err !=nil {
log.Fatal(err)
}
defer db.Close() //defering closing the database until the program closes
//defer torrentDbStorage().Close() //defering closing the database until the program closes
var TorrentLocalArray = []*TorrentLocal{} //this is an array of ALL of the local storage torrents, they will be added back in via hash
var RunningTorrentArray = []clientDB{} //this stores ALL of the torrents that are running, used for client update pushes combines Local Storage and Running tclient info
TorrentLocalArray = readInTorrents(db)//pulling in all the already added torrents
if TorrentLocalArray != nil {
RunningTorrentArray = createRunningTorrentArray(tclient, TorrentLocalArray) //Updates the RunningTorrentArray with the current client data as well
} else {
fmt.Println("Database is empty!")
}
r := mux.NewRouter() //setting up the handler for the web backend
r.HandleFunc("/", serveHome) r.HandleFunc("/", serveHome)
http.Handle("/static/", http.FileServer(http.Dir("public"))) http.Handle("/static/", http.FileServer(http.Dir("public")))
http.Handle("/", r) http.Handle("/", r)
http.HandleFunc("/api", func(w http.ResponseWriter, r *http.Request){ //exposing the data to the
if len(RunningTorrentArray) > 0 {
RunningTorrentArray = createRunningTorrentArray(tclient, TorrentLocalArray) //Updates the RunningTorrentArray with the current client data as well
var torrentlistArray = new(torrentList)
torrentlistArray.ClientDBstruct = RunningTorrentArray
torrentlistArray.Totaltorrents = len(RunningTorrentArray)
torrentlistArrayJson, _:= json.Marshal(torrentlistArray)
w.Header().Set("Content-Type", "application/json")
w.Write(torrentlistArrayJson)
//updateClient(RunningTorrentArray, conn) // sending the client update information over the websocket
}
})
http.HandleFunc("/websocket", func(w http.ResponseWriter, r *http.Request) { http.HandleFunc("/websocket", func(w http.ResponseWriter, r *http.Request) {
conn, err := upgrader.Upgrade(w, r, nil) conn, err := upgrader.Upgrade(w, r, nil)
if err != nil { if err != nil {
log.Println(err) log.Println(err)
return return
} }
for { for {
msgType, msg, err := conn.ReadMessage() msgType, msg, err := conn.ReadMessage()
if err != nil { if err != nil {
fmt.Println(err) fmt.Println(err)
return return
} }
if string(msg) == "ping" { if string(msg) == "ping" { //6 second update ping
fmt.Println("ping") fmt.Println("ping")
time.Sleep(2 * time.Second) time.Sleep(6 * time.Second)
err = conn.WriteMessage(msgType, []byte("pong")) err = conn.WriteMessage(msgType, []byte("pong"))
if err != nil { if err != nil {
fmt.Println(err) fmt.Println("Websocket err", err)
return return
} }
if len(RunningTorrentArray) > 0 {
RunningTorrentArray = createRunningTorrentArray(tclient, TorrentLocalArray) //Updates the RunningTorrentArray with the current client data as well
var torrentlistArray = new(torrentList)
torrentlistArray.ClientDBstruct = RunningTorrentArray
torrentlistArray.Totaltorrents = len(RunningTorrentArray)
fmt.Printf("%+v\n", torrentlistArray)
conn.WriteJSON(torrentlistArray)
//updateClient(RunningTorrentArray, conn) // sending the client update information over the websocket
}
} else if strings.HasPrefix(string(msg), "magnet:") { } else if strings.HasPrefix(string(msg), "magnet:") {
fmt.Println(string(msg)) fmt.Println(string(msg))
clientTorrent, err := tclient.AddMagnet(string(msg))
if err !=nil{
fmt.Println("Magnet Error", err)
}
fmt.Println(clientTorrent)
fmt.Printf("Adding")
startTorrent(clientTorrent, torrentLocalStorage, Config.Config, db) //starting the torrent and creating local DB entry
} else { } else {
conn.Close() conn.Close()
fmt.Println(string(msg)) fmt.Println(string(msg))

View File

@@ -0,0 +1,49 @@
// Get the modal
var modal = document.getElementById('addTorrentModal');
// Get the button that opens the modal
var btn = document.getElementById("addTorrentLink");
// Get the <span> element that closes the modal
var span = document.getElementsByClassName("addTorrentModalClose")[0];
// When the user clicks the button, open the modal
btn.onclick = function() {
modal.style.display = "block";
}
// When the user clicks on <span> (x), close the modal
span.onclick = function() {
modal.style.display = "none";
}
// When the user clicks anywhere outside of the modal, close it
window.onclick = function(event) {
if (event.target == modal) {
modal.style.display = "none";
}
}
var torrentFileModal = document.getElementById('addTorrentFileModal');
var btnTorrentFile = document.getElementById("addTorrentFile");
var spanTorrentFile = document.getElementsByClassName("addTorrentFileModalClose")[0];
btnTorrentFile.onclick = function() {
torrentFileModal.style.display = "block";
}
// When the user clicks on <span> (x), close the modal
spanTorrentFile.onclick = function() {
torrentFileModal.style.display = "none";
}
// When the user clicks anywhere outside of the modal, close it
window.onclick = function(event) {
if (event.target == torrentFileModal) {
torrentFileModal.style.display = "none";
}
}

31
public/static/js/grid.js Normal file
View File

@@ -0,0 +1,31 @@
Vue.use(Vuetable);
var demo = new Vue({
delimiters: ['((', '))'],
el: '#torrentlist',
components:{
'vuetable-pagination': Vuetable.VuetablePagination
},
data: {
fields: ['Torrent Name', 'Status','Percent Complete','Size','Total Peers','Storage Location']
},
computed:{
/*httpOptions(){
return {headers: {'Authorization': "my-token"}} //table props -> :http-options="httpOptions"
},*/
},
methods: {
onPaginationData (paginationData) {
this.$refs.pagination.setPaginationData(paginationData)
},
onChangePage (page) {
this.$refs.vuetable.changePage(page)
},
editRow(rowData){
alert("You clicked edit on"+ JSON.stringify(rowData))
},
deleteRow(rowData){
alert("You clicked delete on"+ JSON.stringify(rowData))
}
}
})

View File

@@ -0,0 +1,13 @@
function openTab(evt, tabName) {
var i, x, tablinks;
x = document.getElementsByClassName("tab");
for (i = 0; i < x.length; i++) {
x[i].style.display = "none";
}
tablinks = document.getElementsByClassName("tablink");
for (i = 0; i < x.length; i++) {
tablinks[i].className = tablinks[i].className.replace(" activeButton", "");
}
document.getElementById(tabName).style.display = "block";
evt.currentTarget.className += " activeButton";
}

View File

@@ -0,0 +1,65 @@
function myWebsocketStart()
{
var torrentLinkSubmit = document.getElementById('torrentLinkSubmit');
var magnetLink = document.getElementById('magnetLink');
var modal = document.getElementById('addTorrentModal');
var myTextArea = document.getElementById("loggerData");
var torrentHash = document.getElementById("hash");
var ws = new WebSocket("ws://192.168.1.141:8000/websocket");
ws.onopen = function()
{
// Web Socket is connected, send data using send()
ws.send("ping");
myTextArea.innerHTML = myTextArea.innerHTML + "</br>" + "First message sent";
};
ws.onmessage = function (evt)
{
var myTextArea = document.getElementById("loggerData");
if(evt.data == "pong") {
setTimeout(function(){ws.send("ping");}, 2000);
} else {
var clientUpdate = JSON.parse(evt.data);
myTextArea.innerHTML = myTextArea.innerHTML + "</br>" + "Client Update Event...";
//myTextArea.innerHTML = myTextArea.innerHTML + "</br>" + clientUpdate.LocalTorrentInfo.DateAdded;
myTextArea.innerHTML = myTextArea.innerHTML + "</br>" + evt.data;
//myTextArea.innerHTML = myTextArea.innerHTML + "</br>" + clientUpdate[0].TorrentHashString;
//torrentHash.innerHTML = "Hash: " + clientUpdate[0].TorrentHashString;
}
};
ws.onclose = function()
{
var myTextArea = document.getElementById("loggerData");
myTextArea.innerHTML = myTextArea.innerHTML + "</br>" + "Connection closed";
};
torrentLinkSubmit.onclick = function(e) {
e.preventDefault();
var magnetLinkjs = magnetLink.value;
ws.send(magnetLinkjs);
myTextArea.innerHTML = myTextArea.innerHTML + "</br> Send:" + magnetLinkjs
modal.style.display = "none";
magnetLink.value = '';
}
}
function sendEvent(message)
{
ws.send(message);
}

32
settings.go Normal file
View File

@@ -0,0 +1,32 @@
package main
import (
"github.com/anacrolix/torrent"
"github.com/anacrolix/dht"
)
type fullClientSettings struct {
version int
torrent.Config
}
func fullClientSettingsNew()(fullClientSettings){
//Config := fullClientSettings //generate a new struct
var Config fullClientSettings
Config.version = 1.0
Config.DataDir = "downloads" //the full OR relative path of the default download directory for torrents
Config.DHTConfig = dht.ServerConfig{
StartingNodes: dht.GlobalBootstrapAddrs,
}
return Config
}

95
storage.go Normal file
View File

@@ -0,0 +1,95 @@
package main
import (
"github.com/boltdb/bolt"
"fmt"
"github.com/anacrolix/torrent/metainfo"
"time"
)
type TorrentLocal struct {
Hash metainfo.Hash
DateAdded string
StoragePath string
TorrentName string
}
func readInTorrents (torrentStorage *bolt.DB) (TorrentLocalArray []*TorrentLocal){
TorrentLocalArray = []*TorrentLocal{}
torrentStorage.View(func(tx *bolt.Tx) error {
tx.ForEach(func(name []byte, b *bolt.Bucket) error {
torrentLocal := new(TorrentLocal) //create a struct to store to an array
var Dateadded []byte
var StoragePath []byte
var Hash []byte
var TorrentName []byte
Dateadded = b.Get([]byte("Date"))
if Dateadded == nil {
fmt.Println("Date added error!")
Dateadded = []byte(time.Now().Format("Jan _2 2006"))
}
StoragePath = b.Get([]byte("StoragePath"))
if StoragePath == nil {
fmt.Println("StoragePath error!")
StoragePath = []byte("downloads")
}
Hash = b.Get([]byte("InfoHash"))
if Hash == nil {
fmt.Println("Hash error!")
}
TorrentName = b.Get([]byte("TorrentName"))
if TorrentName == nil {
fmt.Println("Torrent Name not found")
TorrentName = []byte("Not Found!")
}
torrentLocal.DateAdded = string(Dateadded)
torrentLocal.StoragePath = string(StoragePath)
torrentLocal.Hash = metainfo.HashBytes(Hash) //Converting the byte slice back into the full hash
torrentLocal.TorrentName = string(TorrentName)
fmt.Println("Torrentlocal list: ", torrentLocal)
TorrentLocalArray = append(TorrentLocalArray, torrentLocal) //dumping it into the array
return nil
})
return nil
})
return TorrentLocalArray //all done, return the entire Array to add to the torrent client
}
func addTorrentLocalStorage (torrentStorage *bolt.DB, local *TorrentLocal){
println("Adding Local storage information")
torrentStorage.Update(func(tx *bolt.Tx) error {
b, err := tx.CreateBucketIfNotExists([]byte(local.Hash.Bytes()))//translating hash into bytes for storage
if err != nil {
return fmt.Errorf("create bucket %s", err)
}
err = b.Put([]byte("Date"), []byte(local.DateAdded))//TODO error checking marshall into JSON
if err != nil {
return err
}
err = b.Put([]byte("StoragePath"), []byte(local.StoragePath))
if err != nil {
return err
}
err = b.Put([]byte("InfoHash"), []byte(local.Hash.Bytes()))
if err != nil {
return err
}
err = b.Put([]byte("TorrentName"), []byte(local.TorrentName))
if err != nil {
return err
}
return nil
})
}

View File

@@ -1,81 +1,17 @@
{{define "base"}} {{define "base"}}
<!DOCTYPE html> <!DOCTYPE html>
<html lang="en"> <html lang="en">
<head> <head>
<link rel="stylesheet" href="/static/css/gridbase.css" type="text/css" /> <title>torrent-project</title>
<title>torrent-project</title>
<script>
function openTab(evt, tabName) {
var i, x, tablinks;
x = document.getElementsByClassName("tab");
for (i = 0; i < x.length; i++) {
x[i].style.display = "none";
}
tablinks = document.getElementsByClassName("tablink");
for (i = 0; i < x.length; i++) {
tablinks[i].className = tablinks[i].className.replace(" activeButton", "");
}
document.getElementById(tabName).style.display = "block";
evt.currentTarget.className += " activeButton";
}
</script>
<script type="text/javascript">
function myWebsocketStart()
{
var torrentLinkSubmit = document.getElementById('torrentLinkSubmit');
var magnetLink = document.getElementById('magnetLink');
var modal = document.getElementById('addTorrentModal');
var ws = new WebSocket("ws://192.168.1.141:8000/websocket");
ws.onopen = function() <link rel="stylesheet" href="/static/css/gridbase.css" type="text/css" />
{ <script type="text/javascript" src="/static/js/websocket.js"></script>
// Web Socket is connected, send data using send() <script type="text/javascript" src="/static/js/tabControl.js"></script>
ws.send("ping");
var myTextArea = document.getElementById("loggerData");
myTextArea.innerHTML = myTextArea.innerHTML + "\n" + "First message sent";
};
ws.onmessage = function (evt) </head>
{
var myTextArea = document.getElementById("loggerData");
myTextArea.innerHTML = myTextArea.innerHTML + "\n" + evt.data
if(evt.data == "pong") {
setTimeout(function(){ws.send("ping");}, 2000);
}
};
ws.onclose = function() <body onload="javascript:myWebsocketStart()">
{
var myTextArea = document.getElementById("loggerData");
myTextArea.innerHTML = myTextArea.innerHTML + "\n" + "Connection closed";
};
torrentLinkSubmit.onclick = function(e) {
e.preventDefault();
var magnetLinkjs = magnetLink.value;
ws.send(magnetLinkjs);
modal.style.display = "none";
}
}
function sendEvent(message)
{
ws.send(message);
}
</script>
</head>
<!-- The addlink Modal --> <!-- The addlink Modal -->
<div id="addTorrentModal" class="addTorrentModal"> <div id="addTorrentModal" class="addTorrentModal">
@@ -100,49 +36,46 @@
</div> </div>
</div> </div>
<body onload="javascript:myWebsocketStart()">
<div class="wrapper"> <div class="wrapper">
<div class="box navcolumn"> <div class="box navcolumn">
<hr> <hr>
<ul class="none"> <ul class="none">
<li class="liNavcolumn" id="allTorrents"><img class="navcolumnImage" src="/static/images/iconTorrent.png">All Torrents</li><hr> <li class="liNavcolumn" id="allTorrents"><img class="navcolumnImage" src="/static/images/iconTorrent.png" alt="All Torrents">All Torrents</li>
<li class="liNavcolumn" id="downloading"><img class="navcolumnImage" src="/static/images/iconDownload.png">Downloading</li><hr> <li class="liNavcolumn" id="downloading"><img class="navcolumnImage" src="/static/images/iconDownload.png" alt="Downloading Torrents">Downloading</li>
<li class="liNavcolumn" id="uploading"><img class="navcolumnImage" src="/static/images/iconUpload.png">Uploading</li><hr> <li class="liNavcolumn" id="uploading"><img class="navcolumnImage" src="/static/images/iconUpload.png" alt="Uploading Torrents">Uploading</li>
<li class="liNavcolumn" id="active"><img class="navcolumnImage" src="/static/images/iconActiveTorrents.png">Active</li><hr> <li class="liNavcolumn" id="active"><img class="navcolumnImage" src="/static/images/iconActiveTorrents.png" alt="Active Torrents">Active</li>
<li class="liNavcolumn" id="inactive"><img class="navcolumnImage" src="/static/images/iconInactiveTorrents.png">Inactive</li> <li class="liNavcolumn" id="inactive"><img class="navcolumnImage" src="/static/images/iconInactiveTorrents.png" alt="Inactive Torrents">Inactive</li>
</ul> </ul>
<hr> <hr>
</div> </div>
<div class="box navsettings"> <div class="box navsettings">
<ul class="navsettingsUl"> <ul class="navsettingsUl">
<li class="top" id="addTorrentFile"><img class="imagezoom" src="/static/images/iconAddTorrent.png"></li> <li class="top" id="addTorrentFile"><img class="imagezoom" src="/static/images/iconAddTorrent.png" alt="Upload Torrent File"></li>
<li class="top" id="addTorrentLink"><img class="imagezoom" src="/static/images/iconAddTorrentLink.png"></li> <li class="top" id="addTorrentLink"><img class="imagezoom" src="/static/images/iconAddTorrentLink.png" alt="Add Magnet Links"></li>
<li class="top verticalLine" id="deleteTorrent"><img class="imagezoom" src="/static/images/iconDelete.png"></li> <li class="top verticalLine" id="deleteTorrent"><img class="imagezoom" src="/static/images/iconDelete.png" alt="Delete Torrent"></li>
<li class="top verticalLine" id="startTorrent"><img class="imagezoom" src="/static/images/iconStart.png"></li> <li class="top verticalLine" id="startTorrent"><img class="imagezoom" src="/static/images/iconStart.png" alt="Start Torrent"></li>
<li class="top" id="pauseTorrent"><img class="imagezoom" src="/static/images/iconPause.png"></li> <li class="top" id="pauseTorrent"><img class="imagezoom" src="/static/images/iconPause.png" alt="Pause Torrent"></li>
<li class="top" id="stopTorrent"><img class="imagezoom" src="/static/images/iconStop.png"></li> <li class="top" id="stopTorrent"><img class="imagezoom" src="/static/images/iconStop.png" alt="Stop Torrent"></li>
<li class="top verticalLine" id="upTorrent"><img class="imagezoom" src="/static/images/iconScrollUp.png"></li> <li class="top verticalLine" id="upTorrent"><img class="imagezoom" src="/static/images/iconScrollUp.png" alt="Move Torrent Up"></li>
<li class="top" id="downTorrent"><img class="imagezoom" src="/static/images/iconScrollDown.png"></li> <li class="top" id="downTorrent"><img class="imagezoom" src="/static/images/iconScrollDown.png" alt="Down Torrent"></li>
<li class="top verticalLine" id="rssTorrent"><img class="imagezoom" src="/static/images/iconRss.png"></li> <li class="top verticalLine" id="rssTorrent"><img class="imagezoom" src="/static/images/iconRss.png" alt="RSS Torrent"></li>
<li class="top verticalLine" id="settingsIcon"><img class="imagezoom" src="/static/images/iconSettings.png"></li> <li class="top verticalLine" id="settingsIcon"><img class="imagezoom" src="/static/images/iconSettings.png" alt="Settings"></li>
</div> </ul>
<div class="box torrentlist">
<table>
<tr>
<th>Name</th>
<th>Size</th>
<th>Progress</th>
<th>Status</th>
<th>Seeds</th>
<th>Peers</th>
<th>Down Speed</th>
<th>Up Speed</th>
<th>ETA</th>
<th>Ratio</th>
<th>Avail.</th>
</tr>
</table>
</div> </div>
<div id="torrentlist" class="box torrentlist">
<div class="ui container">
<vuetable ref="vuetable"
api-url="http://192.168.1.141:8000/api"
:fields="fields"
data-path="data"
pagination-path=""
>
</vuetable>
</div>
<div class="box torrentdetails"> <div class="box torrentdetails">
<div> <div>
@@ -157,6 +90,7 @@
<div id="General" class="tab defaultTab"> <div id="General" class="tab defaultTab">
<h2>General</h2> <h2>General</h2>
<p id="hash"></p>
<p>General Information</p> <p>General Information</p>
</div> </div>
@@ -203,9 +137,15 @@
</div> </div>
</div> </div>
<script src="https://unpkg.com/vuetable-2@1.6.0"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/axios/0.16.1/axios.min.js"></script>
<script src="https://unpkg.com/vue@latest/dist/vue.js"></script>
<script type="text/javascript" src="/static/js/addTorrents.js"></script>
<script type="text/javascript" src="/static/js/grid.js"></script>
<footer>Icons by <a href="https://icons8.com">icons8</a></footer>
</body> </body>
<script type="text/javascript" src="/static/js/addTorrents.js"></script>
<footer>Icons by <a href="https://icons8.com">icons8</a>
</html> </html>
{{end}} {{end}}