-
Notifications
You must be signed in to change notification settings - Fork 3k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
[NN] Add MXNet impl for TAGCN module. (#799)
* upd * fig edgebatch edges * add test * trigger * Update README.md for pytorch PinSage example. Add noting that the PinSage model example under example/pytorch/recommendation only work with Python 3.6+ as its dataset loader depends on stanfordnlp package which work only with Python 3.6+. * Provid a frame agnostic API to test nn modules on both CPU and CUDA side. 1. make dgl.nn.xxx frame agnostic 2. make test.backend include dgl.nn modules 3. modify test_edge_softmax of test/mxnet/test_nn.py and test/pytorch/test_nn.py work on both CPU and GPU * Fix style * Delete unused code * Make agnostic test only related to tests/backend 1. clear all agnostic related code in dgl.nn 2. make test_graph_conv agnostic to cpu/gpu * Fix code style * fix * doc * Make all test code under tests.mxnet/pytorch.test_nn.py work on both CPU and GPU. * Fix syntex * Remove rand * Add TAGCN nn.module and example * Now tagcn can run on CPU. * Add unitest for TGConv * Fix style * For pubmed dataset, using --lr=0.005 can achieve better acc * Fix style * Fix some descriptions * trigger * Fix doc * Add nn.TGConv and example * Fix bug * Update data in mxnet.tagcn test acc. * Fix some comments and code * delete useless code * Fix namming * Fix bug * Fix bug * Add test code for mxnet TAGCov * Update some docs * Fix some code * Update docs dgl.nn.mxnet * Update weight init * Fix
- Loading branch information
1 parent
14bffe9
commit e17add5
Showing
9 changed files
with
337 additions
and
9 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,25 @@ | ||
Topology Adaptive Graph Convolutional networks (TAGCN) | ||
============ | ||
|
||
- Paper link: [https://arxiv.org/abs/1710.10370](https://arxiv.org/abs/1710.10370) | ||
|
||
Dependencies | ||
------------ | ||
- MXNet nightly build | ||
- requests | ||
|
||
``bash | ||
pip install mxnet --pre | ||
pip install requests | ||
`` | ||
|
||
Results | ||
------- | ||
Run with following (available dataset: "cora", "citeseer", "pubmed") | ||
```bash | ||
DGLBACKEND=mxnet python3 train.py --dataset cora --gpu 0 --self-loop | ||
``` | ||
|
||
* cora: ~0.820 (paper: 0.833) | ||
* citeseer: ~0.702 (paper: 0.714) | ||
* pubmed: ~0.798 (paper: 0.811) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,39 @@ | ||
"""TAGCN using DGL nn package | ||
References: | ||
- Topology Adaptive Graph Convolutional Networks | ||
- Paper: https://arxiv.org/abs/1710.10370 | ||
""" | ||
import mxnet as mx | ||
from mxnet import gluon | ||
import dgl | ||
from dgl.nn.mxnet import TAGConv | ||
|
||
class TAGCN(gluon.Block): | ||
def __init__(self, | ||
g, | ||
in_feats, | ||
n_hidden, | ||
n_classes, | ||
n_layers, | ||
activation, | ||
dropout): | ||
super(TAGCN, self).__init__() | ||
self.g = g | ||
self.layers = gluon.nn.Sequential() | ||
# input layer | ||
self.layers.add(TAGConv(in_feats, n_hidden, activation=activation)) | ||
# hidden layers | ||
for i in range(n_layers - 1): | ||
self.layers.add(TAGConv(n_hidden, n_hidden, activation=activation)) | ||
# output layer | ||
self.layers.add(TAGConv(n_hidden, n_classes)) #activation=None | ||
self.dropout = gluon.nn.Dropout(rate=dropout) | ||
|
||
def forward(self, features): | ||
h = features | ||
for i, layer in enumerate(self.layers): | ||
if i != 0: | ||
h = self.dropout(h) | ||
h = layer(self.g, h) | ||
return h |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,126 @@ | ||
import argparse, time | ||
import numpy as np | ||
import mxnet as mx | ||
from mxnet import gluon | ||
|
||
from dgl import DGLGraph | ||
from dgl.data import register_data_args, load_data | ||
|
||
from tagcn import TAGCN | ||
|
||
def evaluate(model, features, labels, mask): | ||
pred = model(features).argmax(axis=1) | ||
accuracy = ((pred == labels) * mask).sum() / mask.sum().asscalar() | ||
return accuracy.asscalar() | ||
|
||
def main(args): | ||
# load and preprocess dataset | ||
data = load_data(args) | ||
features = mx.nd.array(data.features) | ||
labels = mx.nd.array(data.labels) | ||
train_mask = mx.nd.array(data.train_mask) | ||
val_mask = mx.nd.array(data.val_mask) | ||
test_mask = mx.nd.array(data.test_mask) | ||
in_feats = features.shape[1] | ||
n_classes = data.num_labels | ||
n_edges = data.graph.number_of_edges() | ||
print("""----Data statistics------' | ||
#Edges %d | ||
#Classes %d | ||
#Train samples %d | ||
#Val samples %d | ||
#Test samples %d""" % | ||
(n_edges, n_classes, | ||
train_mask.sum().asscalar(), | ||
val_mask.sum().asscalar(), | ||
test_mask.sum().asscalar())) | ||
|
||
if args.gpu < 0: | ||
cuda = False | ||
ctx = mx.cpu(0) | ||
else: | ||
cuda = True | ||
ctx = mx.gpu(args.gpu) | ||
|
||
features = features.as_in_context(ctx) | ||
labels = labels.as_in_context(ctx) | ||
train_mask = train_mask.as_in_context(ctx) | ||
val_mask = val_mask.as_in_context(ctx) | ||
test_mask = test_mask.as_in_context(ctx) | ||
|
||
# graph preprocess and calculate normalization factor | ||
g = data.graph | ||
# add self loop | ||
if args.self_loop: | ||
g.remove_edges_from(g.selfloop_edges()) | ||
g.add_edges_from(zip(g.nodes(), g.nodes())) | ||
g = DGLGraph(g) | ||
|
||
# create TAGCN model | ||
model = TAGCN(g, | ||
in_feats, | ||
args.n_hidden, | ||
n_classes, | ||
args.n_layers, | ||
mx.nd.relu, | ||
args.dropout) | ||
|
||
model.initialize(ctx=ctx) | ||
n_train_samples = train_mask.sum().asscalar() | ||
loss_fcn = gluon.loss.SoftmaxCELoss() | ||
|
||
# use optimizer | ||
print(model.collect_params()) | ||
trainer = gluon.Trainer(model.collect_params(), 'adam', | ||
{'learning_rate': args.lr, 'wd': args.weight_decay}) | ||
|
||
# initialize graph | ||
dur = [] | ||
for epoch in range(args.n_epochs): | ||
if epoch >= 3: | ||
t0 = time.time() | ||
# forward | ||
with mx.autograd.record(): | ||
pred = model(features) | ||
loss = loss_fcn(pred, labels, mx.nd.expand_dims(train_mask, 1)) | ||
loss = loss.sum() / n_train_samples | ||
|
||
loss.backward() | ||
trainer.step(batch_size=1) | ||
|
||
if epoch >= 3: | ||
loss.asscalar() | ||
dur.append(time.time() - t0) | ||
acc = evaluate(model, features, labels, val_mask) | ||
print("Epoch {:05d} | Time(s) {:.4f} | Loss {:.4f} | Accuracy {:.4f} | " | ||
"ETputs(KTEPS) {:.2f}". format( | ||
epoch, np.mean(dur), loss.asscalar(), acc, n_edges / np.mean(dur) / 1000)) | ||
|
||
print() | ||
acc = evaluate(model, features, labels, val_mask) | ||
print("Test accuracy {:.2%}".format(acc)) | ||
|
||
if __name__ == '__main__': | ||
parser = argparse.ArgumentParser(description='TAGCN') | ||
register_data_args(parser) | ||
parser.add_argument("--dropout", type=float, default=0.5, | ||
help="dropout probability") | ||
parser.add_argument("--gpu", type=int, default=-1, | ||
help="gpu") | ||
parser.add_argument("--lr", type=float, default=1e-2, | ||
help="learning rate") | ||
parser.add_argument("--n-epochs", type=int, default=200, | ||
help="number of training epochs") | ||
parser.add_argument("--n-hidden", type=int, default=16, | ||
help="number of hidden tagcn units") | ||
parser.add_argument("--n-layers", type=int, default=1, | ||
help="number of hidden tagcn layers") | ||
parser.add_argument("--weight-decay", type=float, default=5e-4, | ||
help="Weight for L2 loss") | ||
parser.add_argument("--self-loop", action='store_true', | ||
help="graph self-loop (default=False)") | ||
parser.set_defaults(self_loop=False) | ||
args = parser.parse_args() | ||
print(args) | ||
|
||
main(args) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.